Chronii Wiki chroniiwiki https://wiki.luemir.xyz/wiki/Main_Page MediaWiki 1.40.1 first-letter Media Special Talk User User talk Chronii Wiki Chronii Wiki talk File File talk MediaWiki MediaWiki talk Template Template talk Help Help talk Category Category talk Module Module talk Template:Infobox person 10 156 311 2017-12-04T13:01:58Z fandom>Lady Aleena 0 Use Documentation wikitext text/x-wiki <infobox> <title source="name"><default>{{PAGENAME}}</default></title> <image source="image"> <caption source="caption"></caption> </image> <data source="gender"><label>Gender</label></data> <data source="age"><label>Age</label></data> <data source="birth_name"><label>Born</label></data> <data source="birth_date"><label>Birth date</label></data> <data source="birth_place"><label>Birth place</label></data> <data source="death_date"><label>Died</label></data> <data source="death_place"><label>Death place</label></data> <data source="nationality"><label>Nationality</label></data> <data source="other_names"><label>Other names</label></data> <data source="occupation"><label>Occupation</label></data> <data source="years_active"><label>Years active</label></data> <data source="known_for"><label>Known for</label></data> <data source="notable_works"><label>Notable work(s)</label></data> <data source="home_town"><label>Home town</label></data> <group> <header>Attributes</header> <data source="height"><label>Height</label></data> <data source="weight"><label>Weight</label></data> <data source="hair"><label>Hair color</label></data> <data source="eyes"><label>Eye color</label></data> </group> </infobox> <noinclude>{{Documentation}}</noinclude> 139ac48be5eba66670c1c19d4f8ea862fce10177 312 311 2023-06-07T19:27:25Z Nora2605 2 1 revision imported wikitext text/x-wiki <infobox> <title source="name"><default>{{PAGENAME}}</default></title> <image source="image"> <caption source="caption"></caption> </image> <data source="gender"><label>Gender</label></data> <data source="age"><label>Age</label></data> <data source="birth_name"><label>Born</label></data> <data source="birth_date"><label>Birth date</label></data> <data source="birth_place"><label>Birth place</label></data> <data source="death_date"><label>Died</label></data> <data source="death_place"><label>Death place</label></data> <data source="nationality"><label>Nationality</label></data> <data source="other_names"><label>Other names</label></data> <data source="occupation"><label>Occupation</label></data> <data source="years_active"><label>Years active</label></data> <data source="known_for"><label>Known for</label></data> <data source="notable_works"><label>Notable work(s)</label></data> <data source="home_town"><label>Home town</label></data> <group> <header>Attributes</header> <data source="height"><label>Height</label></data> <data source="weight"><label>Weight</label></data> <data source="hair"><label>Hair color</label></data> <data source="eyes"><label>Eye color</label></data> </group> </infobox> <noinclude>{{Documentation}}</noinclude> 139ac48be5eba66670c1c19d4f8ea862fce10177 336 312 2023-06-07T19:37:03Z Nora2605 2 wikitext text/x-wiki <infobox> <title source="name"><default>{{PAGENAME}}</default></title> <image source="image"> <caption source="caption"></caption> </image> <data source="gender"><label>Gender</label></data> <data source="age"><label>Age</label></data> <data source="birth_name"><label>Born</label></data> <data source="birth_date"><label>Birth date</label></data> <data source="birth_place"><label>Birth place</label></data> <data source="death_date"><label>Died</label></data> <data source="death_place"><label>Death place</label></data> <data source="nationality"><label>Nationality</label></data> <data source="other_names"><label>Other names</label></data> <data source="occupation"><label>Occupation</label></data> <data source="years_active"><label>Years active</label></data> <data source="known_for"><label>Known for</label></data> <data source="notable_works"><label>Notable work(s)</label></data> <data source="home_town"><label>Home town</label></data> <group> <header>Attributes</header> <data source="height"><label>Height</label></data> <data source="weight"><label>Weight</label></data> <data source="hair"><label>Hair color</label></data> <data source="eyes"><label>Eye color</label></data> </group> </infobox> 1d91d5729b4f8b9f5b860071b237e466ed1aeb64 Module:String 828 20 33 2020-08-02T15:49:42Z wikipedia>RexxS 0 separate annotations for str.match from those for str._match Scribunto text/plain --[[ This module is intended to provide access to basic string functions. Most of the functions provided here can be invoked with named parameters, unnamed parameters, or a mixture. If named parameters are used, Mediawiki will automatically remove any leading or trailing whitespace from the parameter. Depending on the intended use, it may be advantageous to either preserve or remove such whitespace. Global options ignore_errors: If set to 'true' or 1, any error condition will result in an empty string being returned rather than an error message. error_category: If an error occurs, specifies the name of a category to include with the error message. The default category is [Category:Errors reported by Module String]. no_category: If set to 'true' or 1, no category will be added if an error is generated. Unit tests for this module are available at Module:String/tests. ]] local str = {} --[[ len This function returns the length of the target string. Usage: {{#invoke:String|len|target_string|}} OR {{#invoke:String|len|s=target_string}} Parameters s: The string whose length to report If invoked using named parameters, Mediawiki will automatically remove any leading or trailing whitespace from the target string. ]] function str.len( frame ) local new_args = str._getParameters( frame.args, {'s'} ) local s = new_args['s'] or '' return mw.ustring.len( s ) end --[[ sub This function returns a substring of the target string at specified indices. Usage: {{#invoke:String|sub|target_string|start_index|end_index}} OR {{#invoke:String|sub|s=target_string|i=start_index|j=end_index}} Parameters s: The string to return a subset of i: The fist index of the substring to return, defaults to 1. j: The last index of the string to return, defaults to the last character. The first character of the string is assigned an index of 1. If either i or j is a negative value, it is interpreted the same as selecting a character by counting from the end of the string. Hence, a value of -1 is the same as selecting the last character of the string. If the requested indices are out of range for the given string, an error is reported. ]] function str.sub( frame ) local new_args = str._getParameters( frame.args, { 's', 'i', 'j' } ) local s = new_args['s'] or '' local i = tonumber( new_args['i'] ) or 1 local j = tonumber( new_args['j'] ) or -1 local len = mw.ustring.len( s ) -- Convert negatives for range checking if i < 0 then i = len + i + 1 end if j < 0 then j = len + j + 1 end if i > len or j > len or i < 1 or j < 1 then return str._error( 'String subset index out of range' ) end if j < i then return str._error( 'String subset indices out of order' ) end return mw.ustring.sub( s, i, j ) end --[[ This function implements that features of {{str sub old}} and is kept in order to maintain these older templates. ]] function str.sublength( frame ) local i = tonumber( frame.args.i ) or 0 local len = tonumber( frame.args.len ) return mw.ustring.sub( frame.args.s, i + 1, len and ( i + len ) ) end --[[ _match This function returns a substring from the source string that matches a specified pattern. It is exported for use in other modules Usage: strmatch = require("Module:String")._match sresult = strmatch( s, pattern, start, match, plain, nomatch ) Parameters s: The string to search pattern: The pattern or string to find within the string start: The index within the source string to start the search. The first character of the string has index 1. Defaults to 1. match: In some cases it may be possible to make multiple matches on a single string. This specifies which match to return, where the first match is match= 1. If a negative number is specified then a match is returned counting from the last match. Hence match = -1 is the same as requesting the last match. Defaults to 1. plain: A flag indicating that the pattern should be understood as plain text. Defaults to false. nomatch: If no match is found, output the "nomatch" value rather than an error. For information on constructing Lua patterns, a form of [regular expression], see: * http://www.lua.org/manual/5.1/manual.html#5.4.1 * http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Patterns * http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Ustring_patterns ]] -- This sub-routine is exported for use in other modules function str._match( s, pattern, start, match_index, plain_flag, nomatch ) if s == '' then return str._error( 'Target string is empty' ) end if pattern == '' then return str._error( 'Pattern string is empty' ) end start = tonumber(start) or 1 if math.abs(start) < 1 or math.abs(start) > mw.ustring.len( s ) then return str._error( 'Requested start is out of range' ) end if match_index == 0 then return str._error( 'Match index is out of range' ) end if plain_flag then pattern = str._escapePattern( pattern ) end local result if match_index == 1 then -- Find first match is simple case result = mw.ustring.match( s, pattern, start ) else if start > 1 then s = mw.ustring.sub( s, start ) end local iterator = mw.ustring.gmatch(s, pattern) if match_index > 0 then -- Forward search for w in iterator do match_index = match_index - 1 if match_index == 0 then result = w break end end else -- Reverse search local result_table = {} local count = 1 for w in iterator do result_table[count] = w count = count + 1 end result = result_table[ count + match_index ] end end if result == nil then if nomatch == nil then return str._error( 'Match not found' ) else return nomatch end else return result end end --[[ match This function returns a substring from the source string that matches a specified pattern. Usage: {{#invoke:String|match|source_string|pattern_string|start_index|match_number|plain_flag|nomatch_output}} OR {{#invoke:String|match|s=source_string|pattern=pattern_string|start=start_index |match=match_number|plain=plain_flag|nomatch=nomatch_output}} Parameters s: The string to search pattern: The pattern or string to find within the string start: The index within the source string to start the search. The first character of the string has index 1. Defaults to 1. match: In some cases it may be possible to make multiple matches on a single string. This specifies which match to return, where the first match is match= 1. If a negative number is specified then a match is returned counting from the last match. Hence match = -1 is the same as requesting the last match. Defaults to 1. plain: A flag indicating that the pattern should be understood as plain text. Defaults to false. nomatch: If no match is found, output the "nomatch" value rather than an error. If invoked using named parameters, Mediawiki will automatically remove any leading or trailing whitespace from each string. In some circumstances this is desirable, in other cases one may want to preserve the whitespace. If the match_number or start_index are out of range for the string being queried, then this function generates an error. An error is also generated if no match is found. If one adds the parameter ignore_errors=true, then the error will be suppressed and an empty string will be returned on any failure. For information on constructing Lua patterns, a form of [regular expression], see: * http://www.lua.org/manual/5.1/manual.html#5.4.1 * http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Patterns * http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Ustring_patterns ]] -- This is the entry point for #invoke:String|match function str.match( frame ) local new_args = str._getParameters( frame.args, {'s', 'pattern', 'start', 'match', 'plain', 'nomatch'} ) local s = new_args['s'] or '' local start = tonumber( new_args['start'] ) or 1 local plain_flag = str._getBoolean( new_args['plain'] or false ) local pattern = new_args['pattern'] or '' local match_index = math.floor( tonumber(new_args['match']) or 1 ) local nomatch = new_args['nomatch'] return str._match( s, pattern, start, match_index, plain_flag, nomatch ) end --[[ pos This function returns a single character from the target string at position pos. Usage: {{#invoke:String|pos|target_string|index_value}} OR {{#invoke:String|pos|target=target_string|pos=index_value}} Parameters target: The string to search pos: The index for the character to return If invoked using named parameters, Mediawiki will automatically remove any leading or trailing whitespace from the target string. In some circumstances this is desirable, in other cases one may want to preserve the whitespace. The first character has an index value of 1. If one requests a negative value, this function will select a character by counting backwards from the end of the string. In other words pos = -1 is the same as asking for the last character. A requested value of zero, or a value greater than the length of the string returns an error. ]] function str.pos( frame ) local new_args = str._getParameters( frame.args, {'target', 'pos'} ) local target_str = new_args['target'] or '' local pos = tonumber( new_args['pos'] ) or 0 if pos == 0 or math.abs(pos) > mw.ustring.len( target_str ) then return str._error( 'String index out of range' ) end return mw.ustring.sub( target_str, pos, pos ) end --[[ str_find This function duplicates the behavior of {{str_find}}, including all of its quirks. This is provided in order to support existing templates, but is NOT RECOMMENDED for new code and templates. New code is recommended to use the "find" function instead. Returns the first index in "source" that is a match to "target". Indexing is 1-based, and the function returns -1 if the "target" string is not present in "source". Important Note: If the "target" string is empty / missing, this function returns a value of "1", which is generally unexpected behavior, and must be accounted for separatetly. ]] function str.str_find( frame ) local new_args = str._getParameters( frame.args, {'source', 'target'} ) local source_str = new_args['source'] or '' local target_str = new_args['target'] or '' if target_str == '' then return 1 end local start = mw.ustring.find( source_str, target_str, 1, true ) if start == nil then start = -1 end return start end --[[ find This function allows one to search for a target string or pattern within another string. Usage: {{#invoke:String|find|source_str|target_string|start_index|plain_flag}} OR {{#invoke:String|find|source=source_str|target=target_str|start=start_index|plain=plain_flag}} Parameters source: The string to search target: The string or pattern to find within source start: The index within the source string to start the search, defaults to 1 plain: Boolean flag indicating that target should be understood as plain text and not as a Lua style regular expression, defaults to true If invoked using named parameters, Mediawiki will automatically remove any leading or trailing whitespace from the parameter. In some circumstances this is desirable, in other cases one may want to preserve the whitespace. This function returns the first index >= "start" where "target" can be found within "source". Indices are 1-based. If "target" is not found, then this function returns 0. If either "source" or "target" are missing / empty, this function also returns 0. This function should be safe for UTF-8 strings. ]] function str.find( frame ) local new_args = str._getParameters( frame.args, {'source', 'target', 'start', 'plain' } ) local source_str = new_args['source'] or '' local pattern = new_args['target'] or '' local start_pos = tonumber(new_args['start']) or 1 local plain = new_args['plain'] or true if source_str == '' or pattern == '' then return 0 end plain = str._getBoolean( plain ) local start = mw.ustring.find( source_str, pattern, start_pos, plain ) if start == nil then start = 0 end return start end --[[ replace This function allows one to replace a target string or pattern within another string. Usage: {{#invoke:String|replace|source_str|pattern_string|replace_string|replacement_count|plain_flag}} OR {{#invoke:String|replace|source=source_string|pattern=pattern_string|replace=replace_string| count=replacement_count|plain=plain_flag}} Parameters source: The string to search pattern: The string or pattern to find within source replace: The replacement text count: The number of occurences to replace, defaults to all. plain: Boolean flag indicating that pattern should be understood as plain text and not as a Lua style regular expression, defaults to true ]] function str.replace( frame ) local new_args = str._getParameters( frame.args, {'source', 'pattern', 'replace', 'count', 'plain' } ) local source_str = new_args['source'] or '' local pattern = new_args['pattern'] or '' local replace = new_args['replace'] or '' local count = tonumber( new_args['count'] ) local plain = new_args['plain'] or true if source_str == '' or pattern == '' then return source_str end plain = str._getBoolean( plain ) if plain then pattern = str._escapePattern( pattern ) replace = mw.ustring.gsub( replace, "%%", "%%%%" ) --Only need to escape replacement sequences. end local result if count ~= nil then result = mw.ustring.gsub( source_str, pattern, replace, count ) else result = mw.ustring.gsub( source_str, pattern, replace ) end return result end --[[ simple function to pipe string.rep to templates. ]] function str.rep( frame ) local repetitions = tonumber( frame.args[2] ) if not repetitions then return str._error( 'function rep expects a number as second parameter, received "' .. ( frame.args[2] or '' ) .. '"' ) end return string.rep( frame.args[1] or '', repetitions ) end --[[ escapePattern This function escapes special characters from a Lua string pattern. See [1] for details on how patterns work. [1] https://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Patterns Usage: {{#invoke:String|escapePattern|pattern_string}} Parameters pattern_string: The pattern string to escape. ]] function str.escapePattern( frame ) local pattern_str = frame.args[1] if not pattern_str then return str._error( 'No pattern string specified' ) end local result = str._escapePattern( pattern_str ) return result end --[[ count This function counts the number of occurrences of one string in another. ]] function str.count(frame) local args = str._getParameters(frame.args, {'source', 'pattern', 'plain'}) local source = args.source or '' local pattern = args.pattern or '' local plain = str._getBoolean(args.plain or true) if plain then pattern = str._escapePattern(pattern) end local _, count = mw.ustring.gsub(source, pattern, '') return count end --[[ endswith This function determines whether a string ends with another string. ]] function str.endswith(frame) local args = str._getParameters(frame.args, {'source', 'pattern'}) local source = args.source or '' local pattern = args.pattern or '' if pattern == '' then -- All strings end with the empty string. return "yes" end if mw.ustring.sub(source, -mw.ustring.len(pattern), -1) == pattern then return "yes" else return "" end end --[[ join Join all non empty arguments together; the first argument is the separator. Usage: {{#invoke:String|join|sep|one|two|three}} ]] function str.join(frame) local args = {} local sep for _, v in ipairs( frame.args ) do if sep then if v ~= '' then table.insert(args, v) end else sep = v end end return table.concat( args, sep or '' ) end --[[ Helper function that populates the argument list given that user may need to use a mix of named and unnamed parameters. This is relevant because named parameters are not identical to unnamed parameters due to string trimming, and when dealing with strings we sometimes want to either preserve or remove that whitespace depending on the application. ]] function str._getParameters( frame_args, arg_list ) local new_args = {} local index = 1 local value for _, arg in ipairs( arg_list ) do value = frame_args[arg] if value == nil then value = frame_args[index] index = index + 1 end new_args[arg] = value end return new_args end --[[ Helper function to handle error messages. ]] function str._error( error_str ) local frame = mw.getCurrentFrame() local error_category = frame.args.error_category or 'Errors reported by Module String' local ignore_errors = frame.args.ignore_errors or false local no_category = frame.args.no_category or false if str._getBoolean(ignore_errors) then return '' end local error_str = '<strong class="error">String Module Error: ' .. error_str .. '</strong>' if error_category ~= '' and not str._getBoolean( no_category ) then error_str = '[[Category:' .. error_category .. ']]' .. error_str end return error_str end --[[ Helper Function to interpret boolean strings ]] function str._getBoolean( boolean_str ) local boolean_value if type( boolean_str ) == 'string' then boolean_str = boolean_str:lower() if boolean_str == 'false' or boolean_str == 'no' or boolean_str == '0' or boolean_str == '' then boolean_value = false else boolean_value = true end elseif type( boolean_str ) == 'boolean' then boolean_value = boolean_str else error( 'No boolean value found' ) end return boolean_value end --[[ Helper function that escapes all pattern characters so that they will be treated as plain text. ]] function str._escapePattern( pattern_str ) return mw.ustring.gsub( pattern_str, "([%(%)%.%%%+%-%*%?%[%^%$%]])", "%%%1" ) end return str 6df794dd52434e0f6a372c9918f5a9dedd15f579 34 33 2023-06-07T15:53:46Z Nora2605 2 1 revision imported from [[:wikipedia:Module:String]] Scribunto text/plain --[[ This module is intended to provide access to basic string functions. Most of the functions provided here can be invoked with named parameters, unnamed parameters, or a mixture. If named parameters are used, Mediawiki will automatically remove any leading or trailing whitespace from the parameter. Depending on the intended use, it may be advantageous to either preserve or remove such whitespace. Global options ignore_errors: If set to 'true' or 1, any error condition will result in an empty string being returned rather than an error message. error_category: If an error occurs, specifies the name of a category to include with the error message. The default category is [Category:Errors reported by Module String]. no_category: If set to 'true' or 1, no category will be added if an error is generated. Unit tests for this module are available at Module:String/tests. ]] local str = {} --[[ len This function returns the length of the target string. Usage: {{#invoke:String|len|target_string|}} OR {{#invoke:String|len|s=target_string}} Parameters s: The string whose length to report If invoked using named parameters, Mediawiki will automatically remove any leading or trailing whitespace from the target string. ]] function str.len( frame ) local new_args = str._getParameters( frame.args, {'s'} ) local s = new_args['s'] or '' return mw.ustring.len( s ) end --[[ sub This function returns a substring of the target string at specified indices. Usage: {{#invoke:String|sub|target_string|start_index|end_index}} OR {{#invoke:String|sub|s=target_string|i=start_index|j=end_index}} Parameters s: The string to return a subset of i: The fist index of the substring to return, defaults to 1. j: The last index of the string to return, defaults to the last character. The first character of the string is assigned an index of 1. If either i or j is a negative value, it is interpreted the same as selecting a character by counting from the end of the string. Hence, a value of -1 is the same as selecting the last character of the string. If the requested indices are out of range for the given string, an error is reported. ]] function str.sub( frame ) local new_args = str._getParameters( frame.args, { 's', 'i', 'j' } ) local s = new_args['s'] or '' local i = tonumber( new_args['i'] ) or 1 local j = tonumber( new_args['j'] ) or -1 local len = mw.ustring.len( s ) -- Convert negatives for range checking if i < 0 then i = len + i + 1 end if j < 0 then j = len + j + 1 end if i > len or j > len or i < 1 or j < 1 then return str._error( 'String subset index out of range' ) end if j < i then return str._error( 'String subset indices out of order' ) end return mw.ustring.sub( s, i, j ) end --[[ This function implements that features of {{str sub old}} and is kept in order to maintain these older templates. ]] function str.sublength( frame ) local i = tonumber( frame.args.i ) or 0 local len = tonumber( frame.args.len ) return mw.ustring.sub( frame.args.s, i + 1, len and ( i + len ) ) end --[[ _match This function returns a substring from the source string that matches a specified pattern. It is exported for use in other modules Usage: strmatch = require("Module:String")._match sresult = strmatch( s, pattern, start, match, plain, nomatch ) Parameters s: The string to search pattern: The pattern or string to find within the string start: The index within the source string to start the search. The first character of the string has index 1. Defaults to 1. match: In some cases it may be possible to make multiple matches on a single string. This specifies which match to return, where the first match is match= 1. If a negative number is specified then a match is returned counting from the last match. Hence match = -1 is the same as requesting the last match. Defaults to 1. plain: A flag indicating that the pattern should be understood as plain text. Defaults to false. nomatch: If no match is found, output the "nomatch" value rather than an error. For information on constructing Lua patterns, a form of [regular expression], see: * http://www.lua.org/manual/5.1/manual.html#5.4.1 * http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Patterns * http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Ustring_patterns ]] -- This sub-routine is exported for use in other modules function str._match( s, pattern, start, match_index, plain_flag, nomatch ) if s == '' then return str._error( 'Target string is empty' ) end if pattern == '' then return str._error( 'Pattern string is empty' ) end start = tonumber(start) or 1 if math.abs(start) < 1 or math.abs(start) > mw.ustring.len( s ) then return str._error( 'Requested start is out of range' ) end if match_index == 0 then return str._error( 'Match index is out of range' ) end if plain_flag then pattern = str._escapePattern( pattern ) end local result if match_index == 1 then -- Find first match is simple case result = mw.ustring.match( s, pattern, start ) else if start > 1 then s = mw.ustring.sub( s, start ) end local iterator = mw.ustring.gmatch(s, pattern) if match_index > 0 then -- Forward search for w in iterator do match_index = match_index - 1 if match_index == 0 then result = w break end end else -- Reverse search local result_table = {} local count = 1 for w in iterator do result_table[count] = w count = count + 1 end result = result_table[ count + match_index ] end end if result == nil then if nomatch == nil then return str._error( 'Match not found' ) else return nomatch end else return result end end --[[ match This function returns a substring from the source string that matches a specified pattern. Usage: {{#invoke:String|match|source_string|pattern_string|start_index|match_number|plain_flag|nomatch_output}} OR {{#invoke:String|match|s=source_string|pattern=pattern_string|start=start_index |match=match_number|plain=plain_flag|nomatch=nomatch_output}} Parameters s: The string to search pattern: The pattern or string to find within the string start: The index within the source string to start the search. The first character of the string has index 1. Defaults to 1. match: In some cases it may be possible to make multiple matches on a single string. This specifies which match to return, where the first match is match= 1. If a negative number is specified then a match is returned counting from the last match. Hence match = -1 is the same as requesting the last match. Defaults to 1. plain: A flag indicating that the pattern should be understood as plain text. Defaults to false. nomatch: If no match is found, output the "nomatch" value rather than an error. If invoked using named parameters, Mediawiki will automatically remove any leading or trailing whitespace from each string. In some circumstances this is desirable, in other cases one may want to preserve the whitespace. If the match_number or start_index are out of range for the string being queried, then this function generates an error. An error is also generated if no match is found. If one adds the parameter ignore_errors=true, then the error will be suppressed and an empty string will be returned on any failure. For information on constructing Lua patterns, a form of [regular expression], see: * http://www.lua.org/manual/5.1/manual.html#5.4.1 * http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Patterns * http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Ustring_patterns ]] -- This is the entry point for #invoke:String|match function str.match( frame ) local new_args = str._getParameters( frame.args, {'s', 'pattern', 'start', 'match', 'plain', 'nomatch'} ) local s = new_args['s'] or '' local start = tonumber( new_args['start'] ) or 1 local plain_flag = str._getBoolean( new_args['plain'] or false ) local pattern = new_args['pattern'] or '' local match_index = math.floor( tonumber(new_args['match']) or 1 ) local nomatch = new_args['nomatch'] return str._match( s, pattern, start, match_index, plain_flag, nomatch ) end --[[ pos This function returns a single character from the target string at position pos. Usage: {{#invoke:String|pos|target_string|index_value}} OR {{#invoke:String|pos|target=target_string|pos=index_value}} Parameters target: The string to search pos: The index for the character to return If invoked using named parameters, Mediawiki will automatically remove any leading or trailing whitespace from the target string. In some circumstances this is desirable, in other cases one may want to preserve the whitespace. The first character has an index value of 1. If one requests a negative value, this function will select a character by counting backwards from the end of the string. In other words pos = -1 is the same as asking for the last character. A requested value of zero, or a value greater than the length of the string returns an error. ]] function str.pos( frame ) local new_args = str._getParameters( frame.args, {'target', 'pos'} ) local target_str = new_args['target'] or '' local pos = tonumber( new_args['pos'] ) or 0 if pos == 0 or math.abs(pos) > mw.ustring.len( target_str ) then return str._error( 'String index out of range' ) end return mw.ustring.sub( target_str, pos, pos ) end --[[ str_find This function duplicates the behavior of {{str_find}}, including all of its quirks. This is provided in order to support existing templates, but is NOT RECOMMENDED for new code and templates. New code is recommended to use the "find" function instead. Returns the first index in "source" that is a match to "target". Indexing is 1-based, and the function returns -1 if the "target" string is not present in "source". Important Note: If the "target" string is empty / missing, this function returns a value of "1", which is generally unexpected behavior, and must be accounted for separatetly. ]] function str.str_find( frame ) local new_args = str._getParameters( frame.args, {'source', 'target'} ) local source_str = new_args['source'] or '' local target_str = new_args['target'] or '' if target_str == '' then return 1 end local start = mw.ustring.find( source_str, target_str, 1, true ) if start == nil then start = -1 end return start end --[[ find This function allows one to search for a target string or pattern within another string. Usage: {{#invoke:String|find|source_str|target_string|start_index|plain_flag}} OR {{#invoke:String|find|source=source_str|target=target_str|start=start_index|plain=plain_flag}} Parameters source: The string to search target: The string or pattern to find within source start: The index within the source string to start the search, defaults to 1 plain: Boolean flag indicating that target should be understood as plain text and not as a Lua style regular expression, defaults to true If invoked using named parameters, Mediawiki will automatically remove any leading or trailing whitespace from the parameter. In some circumstances this is desirable, in other cases one may want to preserve the whitespace. This function returns the first index >= "start" where "target" can be found within "source". Indices are 1-based. If "target" is not found, then this function returns 0. If either "source" or "target" are missing / empty, this function also returns 0. This function should be safe for UTF-8 strings. ]] function str.find( frame ) local new_args = str._getParameters( frame.args, {'source', 'target', 'start', 'plain' } ) local source_str = new_args['source'] or '' local pattern = new_args['target'] or '' local start_pos = tonumber(new_args['start']) or 1 local plain = new_args['plain'] or true if source_str == '' or pattern == '' then return 0 end plain = str._getBoolean( plain ) local start = mw.ustring.find( source_str, pattern, start_pos, plain ) if start == nil then start = 0 end return start end --[[ replace This function allows one to replace a target string or pattern within another string. Usage: {{#invoke:String|replace|source_str|pattern_string|replace_string|replacement_count|plain_flag}} OR {{#invoke:String|replace|source=source_string|pattern=pattern_string|replace=replace_string| count=replacement_count|plain=plain_flag}} Parameters source: The string to search pattern: The string or pattern to find within source replace: The replacement text count: The number of occurences to replace, defaults to all. plain: Boolean flag indicating that pattern should be understood as plain text and not as a Lua style regular expression, defaults to true ]] function str.replace( frame ) local new_args = str._getParameters( frame.args, {'source', 'pattern', 'replace', 'count', 'plain' } ) local source_str = new_args['source'] or '' local pattern = new_args['pattern'] or '' local replace = new_args['replace'] or '' local count = tonumber( new_args['count'] ) local plain = new_args['plain'] or true if source_str == '' or pattern == '' then return source_str end plain = str._getBoolean( plain ) if plain then pattern = str._escapePattern( pattern ) replace = mw.ustring.gsub( replace, "%%", "%%%%" ) --Only need to escape replacement sequences. end local result if count ~= nil then result = mw.ustring.gsub( source_str, pattern, replace, count ) else result = mw.ustring.gsub( source_str, pattern, replace ) end return result end --[[ simple function to pipe string.rep to templates. ]] function str.rep( frame ) local repetitions = tonumber( frame.args[2] ) if not repetitions then return str._error( 'function rep expects a number as second parameter, received "' .. ( frame.args[2] or '' ) .. '"' ) end return string.rep( frame.args[1] or '', repetitions ) end --[[ escapePattern This function escapes special characters from a Lua string pattern. See [1] for details on how patterns work. [1] https://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Patterns Usage: {{#invoke:String|escapePattern|pattern_string}} Parameters pattern_string: The pattern string to escape. ]] function str.escapePattern( frame ) local pattern_str = frame.args[1] if not pattern_str then return str._error( 'No pattern string specified' ) end local result = str._escapePattern( pattern_str ) return result end --[[ count This function counts the number of occurrences of one string in another. ]] function str.count(frame) local args = str._getParameters(frame.args, {'source', 'pattern', 'plain'}) local source = args.source or '' local pattern = args.pattern or '' local plain = str._getBoolean(args.plain or true) if plain then pattern = str._escapePattern(pattern) end local _, count = mw.ustring.gsub(source, pattern, '') return count end --[[ endswith This function determines whether a string ends with another string. ]] function str.endswith(frame) local args = str._getParameters(frame.args, {'source', 'pattern'}) local source = args.source or '' local pattern = args.pattern or '' if pattern == '' then -- All strings end with the empty string. return "yes" end if mw.ustring.sub(source, -mw.ustring.len(pattern), -1) == pattern then return "yes" else return "" end end --[[ join Join all non empty arguments together; the first argument is the separator. Usage: {{#invoke:String|join|sep|one|two|three}} ]] function str.join(frame) local args = {} local sep for _, v in ipairs( frame.args ) do if sep then if v ~= '' then table.insert(args, v) end else sep = v end end return table.concat( args, sep or '' ) end --[[ Helper function that populates the argument list given that user may need to use a mix of named and unnamed parameters. This is relevant because named parameters are not identical to unnamed parameters due to string trimming, and when dealing with strings we sometimes want to either preserve or remove that whitespace depending on the application. ]] function str._getParameters( frame_args, arg_list ) local new_args = {} local index = 1 local value for _, arg in ipairs( arg_list ) do value = frame_args[arg] if value == nil then value = frame_args[index] index = index + 1 end new_args[arg] = value end return new_args end --[[ Helper function to handle error messages. ]] function str._error( error_str ) local frame = mw.getCurrentFrame() local error_category = frame.args.error_category or 'Errors reported by Module String' local ignore_errors = frame.args.ignore_errors or false local no_category = frame.args.no_category or false if str._getBoolean(ignore_errors) then return '' end local error_str = '<strong class="error">String Module Error: ' .. error_str .. '</strong>' if error_category ~= '' and not str._getBoolean( no_category ) then error_str = '[[Category:' .. error_category .. ']]' .. error_str end return error_str end --[[ Helper Function to interpret boolean strings ]] function str._getBoolean( boolean_str ) local boolean_value if type( boolean_str ) == 'string' then boolean_str = boolean_str:lower() if boolean_str == 'false' or boolean_str == 'no' or boolean_str == '0' or boolean_str == '' then boolean_value = false else boolean_value = true end elseif type( boolean_str ) == 'boolean' then boolean_value = boolean_str else error( 'No boolean value found' ) end return boolean_value end --[[ Helper function that escapes all pattern characters so that they will be treated as plain text. ]] function str._escapePattern( pattern_str ) return mw.ustring.gsub( pattern_str, "([%(%)%.%%%+%-%*%?%[%^%$%]])", "%%%1" ) end return str 6df794dd52434e0f6a372c9918f5a9dedd15f579 Template:Tocright 10 160 319 2022-02-09T12:10:23Z fandom>BaRaN6161TURK 0 Adding tr. wikitext text/x-wiki <div style="float: right; clear: {{{clear|right}}}; margin-bottom: .5em; padding: .5em 0 .8em 1.4em; background: transparent; max-width: {{{maxwidth|20em}}};">__TOC__</div><noinclude> {{Documentation|tr=Şablon:İçindekiler sağ}} </noinclude> 6fd1b39d8251c7dc1d57f24ac062d884a0818ad1 320 319 2023-06-07T19:27:28Z Nora2605 2 1 revision imported wikitext text/x-wiki <div style="float: right; clear: {{{clear|right}}}; margin-bottom: .5em; padding: .5em 0 .8em 1.4em; background: transparent; max-width: {{{maxwidth|20em}}};">__TOC__</div><noinclude> {{Documentation|tr=Şablon:İçindekiler sağ}} </noinclude> 6fd1b39d8251c7dc1d57f24ac062d884a0818ad1 Template:Infobox person/doc 10 163 325 2022-03-01T14:18:19Z fandom>BaRaN6161TURK 0 Changing category. wikitext text/x-wiki ; Description : A template for people articles. ; Syntax : Add <code>{{T|Infobox person|parameters}}</code> at the top of the page with parameters as shown below. == Usage == <pre> {{Infobox person |name = |image = |gender = |age = |birth_name = |birth_date = |birth_place = |death_date = |death_place = |nationality = |other_names = |occupation = |years_active = |known_for = |notable_works = |home_town = |height = |weight = |hair = |eyes = }} </pre> == Preview == {{Infobox person |name = Some Name |image = Placeholder person.png |caption = Some Name placeholder |gender = Female |age = 29 |birth_name = Some Other Name |birth_date = 1 December 1988 |birth_place = Wikipedia |death_date = 4 December 2017 |death_place = Fandom |nationality = Wikian |other_names = Some Pseudonym |occupation = Wiki writer |years_active = 2005 - 2017 |known_for = Editing templates |notable_works = Infoboxes |home_town = Internet |height = 5'7" |weight = 160 lbs. |hair = Brown |eyes = Blue }} [{{fullurl:{{ns:Template}}:{{PAGENAME}}}}?action=purge Click here to refresh the preview] <pre> {{Infobox person |name = Some Name |image = Placeholder person.png |caption = Some Name placeholder |gender = Female |age = 29 |birth_name = Some Other Name |birth_date = 1 December 1988 |birth_place = Wikipedia |death_date = 4 December 2017 |death_place = Fandom |nationality = Wikian |other_names = Some Pseudonym |occupation = Wiki writer |years_active = 2005 - 2017 |known_for = Editing templates |notable_works = Infoboxes |home_town = Internet |height = 5'7" |weight = 160 lbs. |hair = Brown |eyes = Blue }} </pre> <includeonly>[[Category:Infobox templates| {{PAGENAME}}]]</includeonly><noinclude>[[Category:Template documentation|{{PAGENAME}}]]</noinclude> b692fa89ba409e23bf0d2001d2e375e64c270345 326 325 2023-06-07T19:27:31Z Nora2605 2 1 revision imported wikitext text/x-wiki ; Description : A template for people articles. ; Syntax : Add <code>{{T|Infobox person|parameters}}</code> at the top of the page with parameters as shown below. == Usage == <pre> {{Infobox person |name = |image = |gender = |age = |birth_name = |birth_date = |birth_place = |death_date = |death_place = |nationality = |other_names = |occupation = |years_active = |known_for = |notable_works = |home_town = |height = |weight = |hair = |eyes = }} </pre> == Preview == {{Infobox person |name = Some Name |image = Placeholder person.png |caption = Some Name placeholder |gender = Female |age = 29 |birth_name = Some Other Name |birth_date = 1 December 1988 |birth_place = Wikipedia |death_date = 4 December 2017 |death_place = Fandom |nationality = Wikian |other_names = Some Pseudonym |occupation = Wiki writer |years_active = 2005 - 2017 |known_for = Editing templates |notable_works = Infoboxes |home_town = Internet |height = 5'7" |weight = 160 lbs. |hair = Brown |eyes = Blue }} [{{fullurl:{{ns:Template}}:{{PAGENAME}}}}?action=purge Click here to refresh the preview] <pre> {{Infobox person |name = Some Name |image = Placeholder person.png |caption = Some Name placeholder |gender = Female |age = 29 |birth_name = Some Other Name |birth_date = 1 December 1988 |birth_place = Wikipedia |death_date = 4 December 2017 |death_place = Fandom |nationality = Wikian |other_names = Some Pseudonym |occupation = Wiki writer |years_active = 2005 - 2017 |known_for = Editing templates |notable_works = Infoboxes |home_town = Internet |height = 5'7" |weight = 160 lbs. |hair = Brown |eyes = Blue }} </pre> <includeonly>[[Category:Infobox templates| {{PAGENAME}}]]</includeonly><noinclude>[[Category:Template documentation|{{PAGENAME}}]]</noinclude> b692fa89ba409e23bf0d2001d2e375e64c270345 Template:T 10 159 317 2022-08-28T17:14:09Z fandom>Fandyllic 0 Protected "[[Template:T]]": Very high use template ([Edit=Allow only administrators] (indefinite) [Move=Allow only administrators] (indefinite)) wikitext text/x-wiki <onlyinclude>{{#if: {{{32|}}}|<span class="error">Template parameter limit reached! ([[Template:T#Parameter limit|help]])</span>| {{#switch: {{{style|}}} | plain = <span> | pre = <pre<includeonly></includeonly>> | code = <code style="background:#ddd2; padding:0.2em; border-radius:2px; border:0.2px solid #5556"> | #default = <code> }}{<nowiki/>{<!-- -->{{#if: {{{prefix|}}} | {{{prefix}}}: |}}<!-- -->[[{{#if: {{{linkprefix|}}}|{{{linkprefix|}}}:}}<!-- -->{{ns:10}}:{{{1|{{PAGENAME}}}}} |{{#if: {{{linkprefix|}}}|<!-- -->{{{linkprefix|}}}:}}{{{1|{{PAGENAME}}}}}]]<!-- -->{{#if: {{{block|}}}|<br/>}}<!-- -->{{#if:{{{2|}}} | &#124;<code style="padding:0 0.2em; color: gray">{{{2}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{3|}}} | &#124;<code style="padding:0 0.2em; color: gray">{{{3}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{4|}}} | &#124;<code style="padding:0 0.2em; color: gray">{{{4}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{5|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{5}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{6|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{6}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{7|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{7}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{8|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{8}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{9|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{9}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{10|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{10}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{11|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{11}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{12|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{12}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{13|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{13}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{14|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{14}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{15|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{15}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{16|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{16}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{17|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{17}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{18|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{18}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{19|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{19}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{20|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{20}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{21|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{21}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{22|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{22}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{23|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{23}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{24|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{24}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{25|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{25}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{26|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{26}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{27|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{27}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{28|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{28}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{29|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{29}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{30|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{30}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{31|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{31}}}{{#if: {{{block|}}}|<br/>}}</code> }}<!-- -->}<nowiki/>}<!-- -->{{#switch: {{{style|}}} | pre = </pre> | plain = </span> | #default = </code> }} }}</onlyinclude>{{Documentation|tr=Şablon:Ş}} cd485fb236f0c337c1e9a0b0c9728681c9e95a8c 318 317 2023-06-07T19:27:28Z Nora2605 2 1 revision imported wikitext text/x-wiki <onlyinclude>{{#if: {{{32|}}}|<span class="error">Template parameter limit reached! ([[Template:T#Parameter limit|help]])</span>| {{#switch: {{{style|}}} | plain = <span> | pre = <pre<includeonly></includeonly>> | code = <code style="background:#ddd2; padding:0.2em; border-radius:2px; border:0.2px solid #5556"> | #default = <code> }}{<nowiki/>{<!-- -->{{#if: {{{prefix|}}} | {{{prefix}}}: |}}<!-- -->[[{{#if: {{{linkprefix|}}}|{{{linkprefix|}}}:}}<!-- -->{{ns:10}}:{{{1|{{PAGENAME}}}}} |{{#if: {{{linkprefix|}}}|<!-- -->{{{linkprefix|}}}:}}{{{1|{{PAGENAME}}}}}]]<!-- -->{{#if: {{{block|}}}|<br/>}}<!-- -->{{#if:{{{2|}}} | &#124;<code style="padding:0 0.2em; color: gray">{{{2}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{3|}}} | &#124;<code style="padding:0 0.2em; color: gray">{{{3}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{4|}}} | &#124;<code style="padding:0 0.2em; color: gray">{{{4}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{5|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{5}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{6|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{6}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{7|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{7}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{8|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{8}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{9|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{9}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{10|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{10}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{11|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{11}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{12|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{12}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{13|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{13}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{14|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{14}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{15|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{15}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{16|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{16}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{17|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{17}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{18|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{18}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{19|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{19}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{20|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{20}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{21|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{21}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{22|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{22}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{23|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{23}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{24|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{24}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{25|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{25}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{26|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{26}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{27|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{27}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{28|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{28}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{29|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{29}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{30|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{30}}}{{#if: {{{block|}}}|<br/>}}</code> }}{{ #if: {{{31|}}} | &#124;<code style="padding:0 0.2em; color:gray">{{{31}}}{{#if: {{{block|}}}|<br/>}}</code> }}<!-- -->}<nowiki/>}<!-- -->{{#switch: {{{style|}}} | pre = </pre> | plain = </span> | #default = </code> }} }}</onlyinclude>{{Documentation|tr=Şablon:Ş}} cd485fb236f0c337c1e9a0b0c9728681c9e95a8c Template:Documentation/doc 10 167 332 2022-10-19T21:17:01Z fandom>Kuhlau 0 typo wikitext text/x-wiki {{#ifexist: Template:Documentation/preload | <!-- nothing; preload already copied --> | :<strong class="error">Please copy <nowiki>{{Documentation}}</nowiki>'s preload template from [[w:c:templates:Template:Documentation/preload]] to [[Template:Documentation/preload]]!</strong>}}<!-- -->{{#ifexist: Template:T | <!-- nothing; T already copied/exists --> | :<strong class="error">Please copy <nowiki>{{T}}</nowiki> from [[w:c:templates:Template:T]] to [[Template:T]]!</strong>}}<!-- -->{{#ifexist: Template:T/doc | <!-- nothing; T's documentation already copied/exists --> | :<strong class="error">Please copy <nowiki>{{T}}</nowiki>'s documentation from [[w:c:templates:Template:T/doc]] to [[Template:T/doc]]!</strong>}} <!-- you can remove this line and everything above it if you don't see any big bold red text --> == Description == : '''Note: This template requires the [[mw:Extension:Variables|variables extension]]. See [[w:Help:Extensions#Available_on_request|Help:Extensions]] on Community Central for information on how to request this.''' This template is used to insert [[w:Help:Templates|template information]], its [[w:Help:Template parameters|parameters]], and other information on a template page. More information may be found at [[w:Help:Template documentation|Help:Template documentation]] on Community Central. ==Syntax== Add <code><nowiki><noinclude></nowiki>{{t|Documentation}}<nowiki></noinclude></nowiki></code> at the end of the template page. Add <code><nowiki><noinclude></nowiki>{{t|Documentation|<documentation page>}}<nowiki></noinclude></nowiki></code> to transclude an alternative page from the /doc subpage. To add documentation inline, meaning on the main template page itself, add <code><nowiki><noinclude></nowiki>{{t|Documentation|2=content=custom inline content}}<nowiki></noinclude></nowiki></code> For full syntax, see [[#Advanced syntax]]. ==Basic usage== ===On the Template page=== This is the normal format when used: <pre> TEMPLATE CODE <includeonly>Any categories to be inserted into articles by the template</includeonly> <noinclude>{{Documentation}}</noinclude> </pre> Some notes: * If your template is not a completed div or table, you may need to close the tags just before <code><nowiki>{{Documentation}}</nowiki></code> is inserted (within the noinclude tags). * A line break right before <code><nowiki>{{Documentation}}</nowiki></code> can also be useful as it helps prevent the documentation template "running into" previous code. * If for some reason you need to transclude a different page other than the documentation page (e.g. when using a group of templates with same documentation), you can use the <code>|1=</code> parameter (see [[#Syntax|Syntax]]). * If the template documentation is rather short, you can specify documentation inline with the text, by using the <code>|content=</code> parameter (see [[#Syntax|Syntax]] again). ===On the documentation page=== The documentation page is usually located on the /doc subpage for a template, but a different page can be specified with the first parameter of the template (see [[#Syntax|Syntax]]). Normally, you will want to write something like the following on the documentation page: <pre> == Description == This template is used to do something. == Syntax == Type <code>{{t|templatename|param1}}</code> somewhere. === Parameters === ;<code>param1</code> : This parameter is used to add something. === TemplateData === &lt;templatedata>{}</templatedata> == Examples == <code>&lt;nowiki>{{templatename|input}}&lt;/nowiki></code> results in... {{templatename|input}} <includeonly>Any categories for the template itself</includeonly> <noinclude>[[Category:Template documentation]]</noinclude> </pre> Use any or all of the above description/syntax/sample output sections. You may also want to add "see also" or other sections. == Advanced syntax == <templatedata> { "params": { "1": { "label": "Custom page to transclude", "description": "A custom page to transclude, usually another documentation page", "type": "wiki-page-name" }, "page": { "label": "Demo page", "description": "For testing purposes", "type": "wiki-page-name" }, "demospace": { "label": "Demo namespace", "description": "For testing purposes; changes the internal namespace of the template", "type": "string" }, "preload": { "label": "Custom documentation preload", "description": "Custom documentation preload that will be used for the [create] links for the /doc subpage", "type": "wiki-page-name" }, "preload-sandbox": { "label": "Custom preload page for /sandbox subpage", "type": "wiki-page-name" }, "preload-testcases": { "label": "Custom preload page for /testcases subpage", "type": "wiki-page-name" }, "sandbox": { "label": "Custom /sandbox subpage", "description": "Page that is used for the /sandbox link", "type": "wiki-page-name" }, "testcases": { "label": "Custom /testcases page", "description": "Page that is used for the /testcases link", "type": "wiki-page-name" }, "heading": { "label": "Custom heading text", "type": "string" }, "content": { "label": "Custom content", "description": "Custom inline content to add in the template. When this is added, the template does not transclude 1= or the /doc subpage", "type": "string" }, "nofooter": { "label": "Disable footer", "description": "Disables the footer or \"link box\" located below the documentation content.", "type": "boolean" } }, "description": "This template is used to insert a description of a template.", "paramOrder": [ "1", "content", "page", "demospace", "preload", "preload-sandbox", "preload-testcases", "sandbox", "testcases", "heading", "nofooter" ], "format": "block" } </templatedata> == Dependencies == ; Templates : [[Template:Documentation/preload]] : [[Template:Documentation/preload-sandbox]] : [[Template:Documentation/preload-testcases]] ; Images : [[:File:Documentation_icon.svg]] : [[:File:No_Documentation_icon.svg]] <includeonly>[[Category:Documentation templates]]</includeonly><noinclude>[[Category:Template documentation]]</noinclude> b15ac9c660a121f1e150e44c2a278c96799515af 333 332 2023-06-07T19:34:10Z Nora2605 2 1 revision imported wikitext text/x-wiki {{#ifexist: Template:Documentation/preload | <!-- nothing; preload already copied --> | :<strong class="error">Please copy <nowiki>{{Documentation}}</nowiki>'s preload template from [[w:c:templates:Template:Documentation/preload]] to [[Template:Documentation/preload]]!</strong>}}<!-- -->{{#ifexist: Template:T | <!-- nothing; T already copied/exists --> | :<strong class="error">Please copy <nowiki>{{T}}</nowiki> from [[w:c:templates:Template:T]] to [[Template:T]]!</strong>}}<!-- -->{{#ifexist: Template:T/doc | <!-- nothing; T's documentation already copied/exists --> | :<strong class="error">Please copy <nowiki>{{T}}</nowiki>'s documentation from [[w:c:templates:Template:T/doc]] to [[Template:T/doc]]!</strong>}} <!-- you can remove this line and everything above it if you don't see any big bold red text --> == Description == : '''Note: This template requires the [[mw:Extension:Variables|variables extension]]. See [[w:Help:Extensions#Available_on_request|Help:Extensions]] on Community Central for information on how to request this.''' This template is used to insert [[w:Help:Templates|template information]], its [[w:Help:Template parameters|parameters]], and other information on a template page. More information may be found at [[w:Help:Template documentation|Help:Template documentation]] on Community Central. ==Syntax== Add <code><nowiki><noinclude></nowiki>{{t|Documentation}}<nowiki></noinclude></nowiki></code> at the end of the template page. Add <code><nowiki><noinclude></nowiki>{{t|Documentation|<documentation page>}}<nowiki></noinclude></nowiki></code> to transclude an alternative page from the /doc subpage. To add documentation inline, meaning on the main template page itself, add <code><nowiki><noinclude></nowiki>{{t|Documentation|2=content=custom inline content}}<nowiki></noinclude></nowiki></code> For full syntax, see [[#Advanced syntax]]. ==Basic usage== ===On the Template page=== This is the normal format when used: <pre> TEMPLATE CODE <includeonly>Any categories to be inserted into articles by the template</includeonly> <noinclude>{{Documentation}}</noinclude> </pre> Some notes: * If your template is not a completed div or table, you may need to close the tags just before <code><nowiki>{{Documentation}}</nowiki></code> is inserted (within the noinclude tags). * A line break right before <code><nowiki>{{Documentation}}</nowiki></code> can also be useful as it helps prevent the documentation template "running into" previous code. * If for some reason you need to transclude a different page other than the documentation page (e.g. when using a group of templates with same documentation), you can use the <code>|1=</code> parameter (see [[#Syntax|Syntax]]). * If the template documentation is rather short, you can specify documentation inline with the text, by using the <code>|content=</code> parameter (see [[#Syntax|Syntax]] again). ===On the documentation page=== The documentation page is usually located on the /doc subpage for a template, but a different page can be specified with the first parameter of the template (see [[#Syntax|Syntax]]). Normally, you will want to write something like the following on the documentation page: <pre> == Description == This template is used to do something. == Syntax == Type <code>{{t|templatename|param1}}</code> somewhere. === Parameters === ;<code>param1</code> : This parameter is used to add something. === TemplateData === &lt;templatedata>{}</templatedata> == Examples == <code>&lt;nowiki>{{templatename|input}}&lt;/nowiki></code> results in... {{templatename|input}} <includeonly>Any categories for the template itself</includeonly> <noinclude>[[Category:Template documentation]]</noinclude> </pre> Use any or all of the above description/syntax/sample output sections. You may also want to add "see also" or other sections. == Advanced syntax == <templatedata> { "params": { "1": { "label": "Custom page to transclude", "description": "A custom page to transclude, usually another documentation page", "type": "wiki-page-name" }, "page": { "label": "Demo page", "description": "For testing purposes", "type": "wiki-page-name" }, "demospace": { "label": "Demo namespace", "description": "For testing purposes; changes the internal namespace of the template", "type": "string" }, "preload": { "label": "Custom documentation preload", "description": "Custom documentation preload that will be used for the [create] links for the /doc subpage", "type": "wiki-page-name" }, "preload-sandbox": { "label": "Custom preload page for /sandbox subpage", "type": "wiki-page-name" }, "preload-testcases": { "label": "Custom preload page for /testcases subpage", "type": "wiki-page-name" }, "sandbox": { "label": "Custom /sandbox subpage", "description": "Page that is used for the /sandbox link", "type": "wiki-page-name" }, "testcases": { "label": "Custom /testcases page", "description": "Page that is used for the /testcases link", "type": "wiki-page-name" }, "heading": { "label": "Custom heading text", "type": "string" }, "content": { "label": "Custom content", "description": "Custom inline content to add in the template. When this is added, the template does not transclude 1= or the /doc subpage", "type": "string" }, "nofooter": { "label": "Disable footer", "description": "Disables the footer or \"link box\" located below the documentation content.", "type": "boolean" } }, "description": "This template is used to insert a description of a template.", "paramOrder": [ "1", "content", "page", "demospace", "preload", "preload-sandbox", "preload-testcases", "sandbox", "testcases", "heading", "nofooter" ], "format": "block" } </templatedata> == Dependencies == ; Templates : [[Template:Documentation/preload]] : [[Template:Documentation/preload-sandbox]] : [[Template:Documentation/preload-testcases]] ; Images : [[:File:Documentation_icon.svg]] : [[:File:No_Documentation_icon.svg]] <includeonly>[[Category:Documentation templates]]</includeonly><noinclude>[[Category:Template documentation]]</noinclude> b15ac9c660a121f1e150e44c2a278c96799515af 335 333 2023-06-07T19:35:16Z Nora2605 2 Nora2605 moved page [[Template:Documentation (copy)/doc]] to [[Template:Documentation/doc]] without leaving a redirect wikitext text/x-wiki {{#ifexist: Template:Documentation/preload | <!-- nothing; preload already copied --> | :<strong class="error">Please copy <nowiki>{{Documentation}}</nowiki>'s preload template from [[w:c:templates:Template:Documentation/preload]] to [[Template:Documentation/preload]]!</strong>}}<!-- -->{{#ifexist: Template:T | <!-- nothing; T already copied/exists --> | :<strong class="error">Please copy <nowiki>{{T}}</nowiki> from [[w:c:templates:Template:T]] to [[Template:T]]!</strong>}}<!-- -->{{#ifexist: Template:T/doc | <!-- nothing; T's documentation already copied/exists --> | :<strong class="error">Please copy <nowiki>{{T}}</nowiki>'s documentation from [[w:c:templates:Template:T/doc]] to [[Template:T/doc]]!</strong>}} <!-- you can remove this line and everything above it if you don't see any big bold red text --> == Description == : '''Note: This template requires the [[mw:Extension:Variables|variables extension]]. See [[w:Help:Extensions#Available_on_request|Help:Extensions]] on Community Central for information on how to request this.''' This template is used to insert [[w:Help:Templates|template information]], its [[w:Help:Template parameters|parameters]], and other information on a template page. More information may be found at [[w:Help:Template documentation|Help:Template documentation]] on Community Central. ==Syntax== Add <code><nowiki><noinclude></nowiki>{{t|Documentation}}<nowiki></noinclude></nowiki></code> at the end of the template page. Add <code><nowiki><noinclude></nowiki>{{t|Documentation|<documentation page>}}<nowiki></noinclude></nowiki></code> to transclude an alternative page from the /doc subpage. To add documentation inline, meaning on the main template page itself, add <code><nowiki><noinclude></nowiki>{{t|Documentation|2=content=custom inline content}}<nowiki></noinclude></nowiki></code> For full syntax, see [[#Advanced syntax]]. ==Basic usage== ===On the Template page=== This is the normal format when used: <pre> TEMPLATE CODE <includeonly>Any categories to be inserted into articles by the template</includeonly> <noinclude>{{Documentation}}</noinclude> </pre> Some notes: * If your template is not a completed div or table, you may need to close the tags just before <code><nowiki>{{Documentation}}</nowiki></code> is inserted (within the noinclude tags). * A line break right before <code><nowiki>{{Documentation}}</nowiki></code> can also be useful as it helps prevent the documentation template "running into" previous code. * If for some reason you need to transclude a different page other than the documentation page (e.g. when using a group of templates with same documentation), you can use the <code>|1=</code> parameter (see [[#Syntax|Syntax]]). * If the template documentation is rather short, you can specify documentation inline with the text, by using the <code>|content=</code> parameter (see [[#Syntax|Syntax]] again). ===On the documentation page=== The documentation page is usually located on the /doc subpage for a template, but a different page can be specified with the first parameter of the template (see [[#Syntax|Syntax]]). Normally, you will want to write something like the following on the documentation page: <pre> == Description == This template is used to do something. == Syntax == Type <code>{{t|templatename|param1}}</code> somewhere. === Parameters === ;<code>param1</code> : This parameter is used to add something. === TemplateData === &lt;templatedata>{}</templatedata> == Examples == <code>&lt;nowiki>{{templatename|input}}&lt;/nowiki></code> results in... {{templatename|input}} <includeonly>Any categories for the template itself</includeonly> <noinclude>[[Category:Template documentation]]</noinclude> </pre> Use any or all of the above description/syntax/sample output sections. You may also want to add "see also" or other sections. == Advanced syntax == <templatedata> { "params": { "1": { "label": "Custom page to transclude", "description": "A custom page to transclude, usually another documentation page", "type": "wiki-page-name" }, "page": { "label": "Demo page", "description": "For testing purposes", "type": "wiki-page-name" }, "demospace": { "label": "Demo namespace", "description": "For testing purposes; changes the internal namespace of the template", "type": "string" }, "preload": { "label": "Custom documentation preload", "description": "Custom documentation preload that will be used for the [create] links for the /doc subpage", "type": "wiki-page-name" }, "preload-sandbox": { "label": "Custom preload page for /sandbox subpage", "type": "wiki-page-name" }, "preload-testcases": { "label": "Custom preload page for /testcases subpage", "type": "wiki-page-name" }, "sandbox": { "label": "Custom /sandbox subpage", "description": "Page that is used for the /sandbox link", "type": "wiki-page-name" }, "testcases": { "label": "Custom /testcases page", "description": "Page that is used for the /testcases link", "type": "wiki-page-name" }, "heading": { "label": "Custom heading text", "type": "string" }, "content": { "label": "Custom content", "description": "Custom inline content to add in the template. When this is added, the template does not transclude 1= or the /doc subpage", "type": "string" }, "nofooter": { "label": "Disable footer", "description": "Disables the footer or \"link box\" located below the documentation content.", "type": "boolean" } }, "description": "This template is used to insert a description of a template.", "paramOrder": [ "1", "content", "page", "demospace", "preload", "preload-sandbox", "preload-testcases", "sandbox", "testcases", "heading", "nofooter" ], "format": "block" } </templatedata> == Dependencies == ; Templates : [[Template:Documentation/preload]] : [[Template:Documentation/preload-sandbox]] : [[Template:Documentation/preload-testcases]] ; Images : [[:File:Documentation_icon.svg]] : [[:File:No_Documentation_icon.svg]] <includeonly>[[Category:Documentation templates]]</includeonly><noinclude>[[Category:Template documentation]]</noinclude> b15ac9c660a121f1e150e44c2a278c96799515af Template:Clear 10 157 313 2022-11-03T16:30:14Z fandom>Fandyllic 0 use onlyinclude wikitext text/x-wiki <onlyinclude><br style="clear: {{{1|both}}}" /></onlyinclude> {{Documentation|ja=テンプレート:Clear|tr=Şablon:Temizle|zh=Template:Clear}} 989ce1b6d769e3def36a67823396b4100a924f77 314 313 2023-06-07T19:27:26Z Nora2605 2 1 revision imported wikitext text/x-wiki <onlyinclude><br style="clear: {{{1|both}}}" /></onlyinclude> {{Documentation|ja=テンプレート:Clear|tr=Şablon:Temizle|zh=Template:Clear}} 989ce1b6d769e3def36a67823396b4100a924f77 Template:Infobox show character/install 10 162 323 2022-11-05T16:45:06Z fandom>KoolLeo11 0 wikitext text/x-wiki <infobox> <title source="title1"> <default>{{PAGENAME}}</default> </title> <image source="image1"> <caption source="caption1"/> </image> <data source="rarity"> <label>Rarity</label> </data> <data source="buy_price"> <label>Buy Price</label> </data> <data source="sell_price"> <label>Sell Price</label> </data> <data source="monster_drops"> <label>Monster Drops</label> </data> <data source="treasure_location"> <label>Treasure Location</label> </data> <data source="shops_that_sell_this_item"> <label>Shops that sell this item</label> </data> <data source="description"> <label>Description</label> </data> </infobox> <noinclude> Example usage: <pre> {{Infobox show character/install | title1=Example | image1=Example | caption1=Example | rarity=Example | buy_price=Example | sell_price=Example | monster_drops=Example | treasure_location=Example | shops_that_sell_this_item=Example | description=Example }} </pre> <templatedata> {"params":{"title1":{"suggested":true},"image1":{"suggested":true},"caption1":{"suggested":true},"rarity":{"suggested":true},"buy_price":{"suggested":true},"sell_price":{"suggested":true},"monster_drops":{"suggested":true},"treasure_location":{"suggested":true},"shops_that_sell_this_item":{"suggested":true},"description":{"suggested":true}},"sets":[],"maps":{}} </templatedata> </noinclude> 88f0da6d27c443f00f970b2c26b1febd8b7401a4 324 323 2023-06-07T19:27:30Z Nora2605 2 1 revision imported wikitext text/x-wiki <infobox> <title source="title1"> <default>{{PAGENAME}}</default> </title> <image source="image1"> <caption source="caption1"/> </image> <data source="rarity"> <label>Rarity</label> </data> <data source="buy_price"> <label>Buy Price</label> </data> <data source="sell_price"> <label>Sell Price</label> </data> <data source="monster_drops"> <label>Monster Drops</label> </data> <data source="treasure_location"> <label>Treasure Location</label> </data> <data source="shops_that_sell_this_item"> <label>Shops that sell this item</label> </data> <data source="description"> <label>Description</label> </data> </infobox> <noinclude> Example usage: <pre> {{Infobox show character/install | title1=Example | image1=Example | caption1=Example | rarity=Example | buy_price=Example | sell_price=Example | monster_drops=Example | treasure_location=Example | shops_that_sell_this_item=Example | description=Example }} </pre> <templatedata> {"params":{"title1":{"suggested":true},"image1":{"suggested":true},"caption1":{"suggested":true},"rarity":{"suggested":true},"buy_price":{"suggested":true},"sell_price":{"suggested":true},"monster_drops":{"suggested":true},"treasure_location":{"suggested":true},"shops_that_sell_this_item":{"suggested":true},"description":{"suggested":true}},"sets":[],"maps":{}} </templatedata> </noinclude> 88f0da6d27c443f00f970b2c26b1febd8b7401a4 Template:Infobox show character/doc 10 161 321 2022-11-22T13:32:59Z fandom>SuperDragonXD1 0 Reverted edits by [[Special:Contributions/SenorSarcasm|SenorSarcasm]] ([[User talk:SenorSarcasm|talk]]) to last revision by [[User:Feishando|Feishando]] wikitext text/x-wiki <noinclude>{{Documentation subpage}}</noinclude> ; Description : This template is used to create a character infobox. ; Syntax : Type {{t|Infobox show character|...}} somewhere, with parameters as shown below. == Usage == <pre> {{Infobox show character | name = | image = | caption = | gender = | status = | spouse(s) = | parents = | children = | appearances = | portrayed by = }} </pre> == Preview == {{Infobox show character | name = Bob Character | image = Example.jpg | caption = Bob the Flower | gender = Male | status = Still growing | spouse(s) = Betty | parents = Flora | children = Seeds | appearances = In the Garden | portrayed by = Plastic Flower }} [{{fullurl:{{FULLPAGENAME}}?action=purge}} Click here to refresh the preview] <pre> {{Infobox show character | name = Bob Character | image = Example.jpg | caption = Bob the Flower | gender = Male | status = Still growing | spouse(s) = Betty | parents = Flora | children = Seeds | appearances = In the Garden | portrayed by = Plastic Flower }} </pre> <includeonly> [[Category:Infobox templates]] </includeonly><noinclude> </noinclude> 13ded263300ead18b362762a998f6a8c4a71e706 322 321 2023-06-07T19:27:29Z Nora2605 2 1 revision imported wikitext text/x-wiki <noinclude>{{Documentation subpage}}</noinclude> ; Description : This template is used to create a character infobox. ; Syntax : Type {{t|Infobox show character|...}} somewhere, with parameters as shown below. == Usage == <pre> {{Infobox show character | name = | image = | caption = | gender = | status = | spouse(s) = | parents = | children = | appearances = | portrayed by = }} </pre> == Preview == {{Infobox show character | name = Bob Character | image = Example.jpg | caption = Bob the Flower | gender = Male | status = Still growing | spouse(s) = Betty | parents = Flora | children = Seeds | appearances = In the Garden | portrayed by = Plastic Flower }} [{{fullurl:{{FULLPAGENAME}}?action=purge}} Click here to refresh the preview] <pre> {{Infobox show character | name = Bob Character | image = Example.jpg | caption = Bob the Flower | gender = Male | status = Still growing | spouse(s) = Betty | parents = Flora | children = Seeds | appearances = In the Garden | portrayed by = Plastic Flower }} </pre> <includeonly> [[Category:Infobox templates]] </includeonly><noinclude> </noinclude> 13ded263300ead18b362762a998f6a8c4a71e706 Template:Documentation 10 166 330 2023-01-13T06:59:29Z fandom>Aeywoo 0 Hep. wikitext text/x-wiki <!-- - Documentation template - A template used to show the contents of a documentation subpage - Note: Comments (<!-- --.>) are often used to avoid unnecessary line breaks or spaces. --> <!-- - Pre-defined variables --><!-- -->{{#vardefine: base page | {{{page| {{#ifeq: {{SUBPAGENAME}} | sandbox | {{NAMESPACE}}:{{BASEPAGENAME}} | {{FULLPAGENAME}} }} }}} }}<!-- -->{{#vardefine: current page | {{FULLPAGENAME}}}}<!-- -->{{#vardefine: doc page | {{#if: {{{page|}}} | {{{page}}}/doc | {{#if: {{{1|}}} | {{{1}}} | {{#var: base page}}/doc }} }} }}<!-- -->{{#vardefine: namespace | {{{demospace|{{#ifeq: {{NAMESPACE}} | {{TALKSPACE}} | {{SUBJECTSPACE}} | {{NAMESPACE}} }}}}} }}<!-- -->{{#vardefine: preload | {{{preload|Template:Documentation/preload}}}&summary={{urlencode:Create /doc subpage for [[{{#var: base page}}]]}}&editintro=Template:Documentation/editintro-doc }}<!-- -->{{#vardefine: preload-sandbox | {{{preload-sandbox|Template:Documentation/preload-sandbox}}}&summary={{urlencode:Create sandbox subpage for experimenting on template [[{{#var: base page}}]]}} }}<!-- -->{{#vardefine: preload-testcases | {{{preload-testcases|Template:Documentation/preload}}}&summary={{urlencode:Create testcases for [[{{#var: base page}}]]}} }}<!-- -->{{#vardefine: sandbox | {{#if: {{{page|}}} | {{{page}}}/sandbox | {{{sandbox|{{#var: base page}}/sandbox}}} }} }}<!-- -->{{#vardefine: testcases | {{#if: {{{page|}}} | {{{page}}}/testcases | {{{testcases|{{#var: base page}}/testcases}}} }} }}<!-- -->{{#vardefine: page text | {{#switch: {{#var: namespace}} | {{ns:Template}} = template | {{ns:Module}} = module | #default = page }} }}<!-- -->{{#vardefine: doc image | {{#ifeq: {{{heading|a}}} | <!-- null --> | <!-- heading is specified but empty, don't show image --> | [[File:{{#if: {{{content|}}} | Documentation_icon | {{#ifexist: {{#var: doc page}} | Documentation_icon | No Documentation_icon }} }}.svg|70px|link=|alt=|class=nomobile]]&nbsp; }} }}<!-- - - Sandbox header - -->{{#ifeq: {{SUBPAGENAMEE}} | sandbox | <div class="article-table" style="padding: 1.5em; margin: auto; border: 1px solid #5556; border-bottom: 1px solid #5556; width:75%;"><!-- -->This is a template sandbox subpage for [[{{#var: base page}}]]. <!-- -->{{#ifexist: {{#var: testcases}} | See also the companion subpage for [[{{#var: testcases}}|the testcases]]. }}<!-- --></div> }}<!-- --><div class="template-documentation" style="clear: both; border: 1px solid #5556; margin: 1em;"><!-- - - Documentation Header - --><div class="article-table" style="padding: 1em; margin: 0; border-bottom: 1px solid #5556;"><!-- --><span style="font-size:1.5em">{{#var: doc image }}'''{{{heading|{{ucfirst: {{#var: page text}} }} Documentation}}}'''</span><!-- - - Documentation page tools - --><span style="float: right">&#x5b;{{#if: {{{content|}}} | <!---->[[Special:EditPage/{{#var: current page}}|edit]] &#124; [[Special:Purge/{{#var: current page}}|purge]] | {{#ifexist: {{#var: doc page}} | <!-- -->[[{{#var: doc page}}|view]] &#124; [[Special:EditPage/{{#var: doc page}}|edit]] &#124; [[Special:PageHistory/{{#var: doc page}}|history]] &#124; [[Special:Purge/{{#var: current page}}|purge]] | <!-- -->[{{fullurl:{{FULLPAGENAMEE:{{#var: doc page}}}}|action=edit&preload={{#var: preload}} }} create] &#124; [[Special:Purge/{{#var: current page}}|purge]] }} }}]</span><!-- --></div><!-- - - Documentation blurb - --><div style="padding: 1em; padding-bottom: 0; margin: 0;"> {{#ifeq: {{{content|a}}} | {{{content}}} | <!-- do nothing --> | {{#ifexist: {{#var: doc page}} | {{<!---->{{#var:doc page}}}} | The [[w:Help:Template documentation|documentation]] for this {{#var: page text}} does not exist. Create it at [{{fullurl:{{FULLPAGENAMEE:{{#var: doc page}}}}|action=edit&preload={{#var: preload}} }} {{#var: doc page}}]. }} }}<!-- - -->{{{content|}}} </div><!-- - - End blurb - -->{{#if: {{{nofooter|}}} | | <div class="article-table" style="clear: both; padding: 0.5em; margin: 0; border-top: 1px solid #5556;"><!-- - - The above [documentation] is … - -->{{#if: {{{content|}}} | <!-- do not show --> | {{#ifexist: {{#var: doc page}} | {{#ifeq: {{SUBPAGENAME}} | sandbox | This is the sandbox subpage of [[{{#var: base page}}]]; | The above }}&nbsp;[[w:Help:Template documentation|documentation]] is [[mw:Help:Transclusion|transcluded]] from [[{{#var: doc page}}]]. <small>([[Special:EditPage/{{#var: doc page}}|edit]] &#124; [[Special:PageHistory/{{#var: doc page}}|history]])</small><br/> | {{#ifeq: {{#var: namespace}} | {{ns:Module}} | You might want to [{{fullurl:{{FULLPAGENAMEE:{{#var: doc page}}}}|action=edit&preload={{#var: preload}} }} create documentation] for this [[w:Help:Lua|Scribuntu module]]. <br/> | [{{fullurl:{{FULLPAGENAMEE:{{#var: doc page}}}}|action=edit&preload={{#var: preload}} }} Create documentation] for this template. <br/> }} }} }}<!-- - - Sandbox and testcases. - - NOTE: THIS WILL CREATE MANY (yes, MANY) REDLINKS (IF YOU DIDN'T MAKE THE /sandbox or /testcases PAGES). IF YOU DONT WANT THE LINKS, PLEASE REPLACE THE CODE BELOW WITH: < Editors can experiment in the page's [{{fullurl: {{#var: sandbox}}}} sandbox] and [{{fullurl: {{#var: testcases}}}} testcases] pages. > - --><!-- --><!-- CHANGE START --><!-- -->Editors can experiment in this {{#var: page text}}'s <!-- - -->{{#ifexist: {{#var: sandbox}} | [[{{#var: sandbox}}|sandbox]] <!-- --><small>(<!-- -->[[Special:EditPage/{{#var: sandbox}}|edit]] &#124; <!-- -->[{{fullurl: Special:ComparePages | page1={{FULLPAGENAMEE:{{#var: base page}}}}&page2={{FULLPAGENAMEE:{{#var: current page}}}} }} diff]<!-- -->)</small> | sandbox <small>(<!-- -->[{{fullurl: {{FULLPAGENAMEE:{{#var: sandbox}}}} | action=edit&preload={{#var: preload-sandbox}} }} create] &#124; [{{fullurl: {{FULLPAGENAMEE:{{#var: sandbox}}}} | action=edit&preload={{FULLPAGENAMEE:{{#var: base page}}}} }} mirror]<!-- -->)</small> }}<!-- --> and <!-- -->{{#ifexist: {{#var:testcases}} | [[{{#var:testcases}}|testcases]] <small>([[Special:EditPage/{{#var: testcases}}|edit]])</small> | testcases <small>(<!-- -->[{{fullurl: {{FULLPAGENAMEE:{{#var: testcases}}}} | action=edit&preload={{#var: preload-testcases}} }} create]<!-- -->)</small> }}<!-- --> pages.<br/><!-- --><!-- CHANGE END --><!-- - - Category addition text & subpages text. - -->{{#if: {{{content|{{{1|}}}}}} | <!-- Do NOT show cat text *if* documentation is inline or transcluded from a different page. --> | {{#ifexist: {{#var: doc page}} | Add [[w:Help:categories|categories]] and [[w:Help:interwiki links|interwikis]] to the [[{{#var: doc page}}|/doc]] subpage.&nbsp; }} }}<!-- - -->[[Special:PrefixIndex/{{#var: current page}}|Subpages of this {{#var: page text}}]]. </div> }} </div> ec38f901c8dca4bd63590763823111deb58430de 331 330 2023-06-07T19:34:09Z Nora2605 2 1 revision imported wikitext text/x-wiki <!-- - Documentation template - A template used to show the contents of a documentation subpage - Note: Comments (<!-- --.>) are often used to avoid unnecessary line breaks or spaces. --> <!-- - Pre-defined variables --><!-- -->{{#vardefine: base page | {{{page| {{#ifeq: {{SUBPAGENAME}} | sandbox | {{NAMESPACE}}:{{BASEPAGENAME}} | {{FULLPAGENAME}} }} }}} }}<!-- -->{{#vardefine: current page | {{FULLPAGENAME}}}}<!-- -->{{#vardefine: doc page | {{#if: {{{page|}}} | {{{page}}}/doc | {{#if: {{{1|}}} | {{{1}}} | {{#var: base page}}/doc }} }} }}<!-- -->{{#vardefine: namespace | {{{demospace|{{#ifeq: {{NAMESPACE}} | {{TALKSPACE}} | {{SUBJECTSPACE}} | {{NAMESPACE}} }}}}} }}<!-- -->{{#vardefine: preload | {{{preload|Template:Documentation/preload}}}&summary={{urlencode:Create /doc subpage for [[{{#var: base page}}]]}}&editintro=Template:Documentation/editintro-doc }}<!-- -->{{#vardefine: preload-sandbox | {{{preload-sandbox|Template:Documentation/preload-sandbox}}}&summary={{urlencode:Create sandbox subpage for experimenting on template [[{{#var: base page}}]]}} }}<!-- -->{{#vardefine: preload-testcases | {{{preload-testcases|Template:Documentation/preload}}}&summary={{urlencode:Create testcases for [[{{#var: base page}}]]}} }}<!-- -->{{#vardefine: sandbox | {{#if: {{{page|}}} | {{{page}}}/sandbox | {{{sandbox|{{#var: base page}}/sandbox}}} }} }}<!-- -->{{#vardefine: testcases | {{#if: {{{page|}}} | {{{page}}}/testcases | {{{testcases|{{#var: base page}}/testcases}}} }} }}<!-- -->{{#vardefine: page text | {{#switch: {{#var: namespace}} | {{ns:Template}} = template | {{ns:Module}} = module | #default = page }} }}<!-- -->{{#vardefine: doc image | {{#ifeq: {{{heading|a}}} | <!-- null --> | <!-- heading is specified but empty, don't show image --> | [[File:{{#if: {{{content|}}} | Documentation_icon | {{#ifexist: {{#var: doc page}} | Documentation_icon | No Documentation_icon }} }}.svg|70px|link=|alt=|class=nomobile]]&nbsp; }} }}<!-- - - Sandbox header - -->{{#ifeq: {{SUBPAGENAMEE}} | sandbox | <div class="article-table" style="padding: 1.5em; margin: auto; border: 1px solid #5556; border-bottom: 1px solid #5556; width:75%;"><!-- -->This is a template sandbox subpage for [[{{#var: base page}}]]. <!-- -->{{#ifexist: {{#var: testcases}} | See also the companion subpage for [[{{#var: testcases}}|the testcases]]. }}<!-- --></div> }}<!-- --><div class="template-documentation" style="clear: both; border: 1px solid #5556; margin: 1em;"><!-- - - Documentation Header - --><div class="article-table" style="padding: 1em; margin: 0; border-bottom: 1px solid #5556;"><!-- --><span style="font-size:1.5em">{{#var: doc image }}'''{{{heading|{{ucfirst: {{#var: page text}} }} Documentation}}}'''</span><!-- - - Documentation page tools - --><span style="float: right">&#x5b;{{#if: {{{content|}}} | <!---->[[Special:EditPage/{{#var: current page}}|edit]] &#124; [[Special:Purge/{{#var: current page}}|purge]] | {{#ifexist: {{#var: doc page}} | <!-- -->[[{{#var: doc page}}|view]] &#124; [[Special:EditPage/{{#var: doc page}}|edit]] &#124; [[Special:PageHistory/{{#var: doc page}}|history]] &#124; [[Special:Purge/{{#var: current page}}|purge]] | <!-- -->[{{fullurl:{{FULLPAGENAMEE:{{#var: doc page}}}}|action=edit&preload={{#var: preload}} }} create] &#124; [[Special:Purge/{{#var: current page}}|purge]] }} }}]</span><!-- --></div><!-- - - Documentation blurb - --><div style="padding: 1em; padding-bottom: 0; margin: 0;"> {{#ifeq: {{{content|a}}} | {{{content}}} | <!-- do nothing --> | {{#ifexist: {{#var: doc page}} | {{<!---->{{#var:doc page}}}} | The [[w:Help:Template documentation|documentation]] for this {{#var: page text}} does not exist. Create it at [{{fullurl:{{FULLPAGENAMEE:{{#var: doc page}}}}|action=edit&preload={{#var: preload}} }} {{#var: doc page}}]. }} }}<!-- - -->{{{content|}}} </div><!-- - - End blurb - -->{{#if: {{{nofooter|}}} | | <div class="article-table" style="clear: both; padding: 0.5em; margin: 0; border-top: 1px solid #5556;"><!-- - - The above [documentation] is … - -->{{#if: {{{content|}}} | <!-- do not show --> | {{#ifexist: {{#var: doc page}} | {{#ifeq: {{SUBPAGENAME}} | sandbox | This is the sandbox subpage of [[{{#var: base page}}]]; | The above }}&nbsp;[[w:Help:Template documentation|documentation]] is [[mw:Help:Transclusion|transcluded]] from [[{{#var: doc page}}]]. <small>([[Special:EditPage/{{#var: doc page}}|edit]] &#124; [[Special:PageHistory/{{#var: doc page}}|history]])</small><br/> | {{#ifeq: {{#var: namespace}} | {{ns:Module}} | You might want to [{{fullurl:{{FULLPAGENAMEE:{{#var: doc page}}}}|action=edit&preload={{#var: preload}} }} create documentation] for this [[w:Help:Lua|Scribuntu module]]. <br/> | [{{fullurl:{{FULLPAGENAMEE:{{#var: doc page}}}}|action=edit&preload={{#var: preload}} }} Create documentation] for this template. <br/> }} }} }}<!-- - - Sandbox and testcases. - - NOTE: THIS WILL CREATE MANY (yes, MANY) REDLINKS (IF YOU DIDN'T MAKE THE /sandbox or /testcases PAGES). IF YOU DONT WANT THE LINKS, PLEASE REPLACE THE CODE BELOW WITH: < Editors can experiment in the page's [{{fullurl: {{#var: sandbox}}}} sandbox] and [{{fullurl: {{#var: testcases}}}} testcases] pages. > - --><!-- --><!-- CHANGE START --><!-- -->Editors can experiment in this {{#var: page text}}'s <!-- - -->{{#ifexist: {{#var: sandbox}} | [[{{#var: sandbox}}|sandbox]] <!-- --><small>(<!-- -->[[Special:EditPage/{{#var: sandbox}}|edit]] &#124; <!-- -->[{{fullurl: Special:ComparePages | page1={{FULLPAGENAMEE:{{#var: base page}}}}&page2={{FULLPAGENAMEE:{{#var: current page}}}} }} diff]<!-- -->)</small> | sandbox <small>(<!-- -->[{{fullurl: {{FULLPAGENAMEE:{{#var: sandbox}}}} | action=edit&preload={{#var: preload-sandbox}} }} create] &#124; [{{fullurl: {{FULLPAGENAMEE:{{#var: sandbox}}}} | action=edit&preload={{FULLPAGENAMEE:{{#var: base page}}}} }} mirror]<!-- -->)</small> }}<!-- --> and <!-- -->{{#ifexist: {{#var:testcases}} | [[{{#var:testcases}}|testcases]] <small>([[Special:EditPage/{{#var: testcases}}|edit]])</small> | testcases <small>(<!-- -->[{{fullurl: {{FULLPAGENAMEE:{{#var: testcases}}}} | action=edit&preload={{#var: preload-testcases}} }} create]<!-- -->)</small> }}<!-- --> pages.<br/><!-- --><!-- CHANGE END --><!-- - - Category addition text & subpages text. - -->{{#if: {{{content|{{{1|}}}}}} | <!-- Do NOT show cat text *if* documentation is inline or transcluded from a different page. --> | {{#ifexist: {{#var: doc page}} | Add [[w:Help:categories|categories]] and [[w:Help:interwiki links|interwikis]] to the [[{{#var: doc page}}|/doc]] subpage.&nbsp; }} }}<!-- - -->[[Special:PrefixIndex/{{#var: current page}}|Subpages of this {{#var: page text}}]]. </div> }} </div> ec38f901c8dca4bd63590763823111deb58430de 334 331 2023-06-07T19:35:15Z Nora2605 2 Nora2605 moved page [[Template:Documentation (copy)]] to [[Template:Documentation]] without leaving a redirect wikitext text/x-wiki <!-- - Documentation template - A template used to show the contents of a documentation subpage - Note: Comments (<!-- --.>) are often used to avoid unnecessary line breaks or spaces. --> <!-- - Pre-defined variables --><!-- -->{{#vardefine: base page | {{{page| {{#ifeq: {{SUBPAGENAME}} | sandbox | {{NAMESPACE}}:{{BASEPAGENAME}} | {{FULLPAGENAME}} }} }}} }}<!-- -->{{#vardefine: current page | {{FULLPAGENAME}}}}<!-- -->{{#vardefine: doc page | {{#if: {{{page|}}} | {{{page}}}/doc | {{#if: {{{1|}}} | {{{1}}} | {{#var: base page}}/doc }} }} }}<!-- -->{{#vardefine: namespace | {{{demospace|{{#ifeq: {{NAMESPACE}} | {{TALKSPACE}} | {{SUBJECTSPACE}} | {{NAMESPACE}} }}}}} }}<!-- -->{{#vardefine: preload | {{{preload|Template:Documentation/preload}}}&summary={{urlencode:Create /doc subpage for [[{{#var: base page}}]]}}&editintro=Template:Documentation/editintro-doc }}<!-- -->{{#vardefine: preload-sandbox | {{{preload-sandbox|Template:Documentation/preload-sandbox}}}&summary={{urlencode:Create sandbox subpage for experimenting on template [[{{#var: base page}}]]}} }}<!-- -->{{#vardefine: preload-testcases | {{{preload-testcases|Template:Documentation/preload}}}&summary={{urlencode:Create testcases for [[{{#var: base page}}]]}} }}<!-- -->{{#vardefine: sandbox | {{#if: {{{page|}}} | {{{page}}}/sandbox | {{{sandbox|{{#var: base page}}/sandbox}}} }} }}<!-- -->{{#vardefine: testcases | {{#if: {{{page|}}} | {{{page}}}/testcases | {{{testcases|{{#var: base page}}/testcases}}} }} }}<!-- -->{{#vardefine: page text | {{#switch: {{#var: namespace}} | {{ns:Template}} = template | {{ns:Module}} = module | #default = page }} }}<!-- -->{{#vardefine: doc image | {{#ifeq: {{{heading|a}}} | <!-- null --> | <!-- heading is specified but empty, don't show image --> | [[File:{{#if: {{{content|}}} | Documentation_icon | {{#ifexist: {{#var: doc page}} | Documentation_icon | No Documentation_icon }} }}.svg|70px|link=|alt=|class=nomobile]]&nbsp; }} }}<!-- - - Sandbox header - -->{{#ifeq: {{SUBPAGENAMEE}} | sandbox | <div class="article-table" style="padding: 1.5em; margin: auto; border: 1px solid #5556; border-bottom: 1px solid #5556; width:75%;"><!-- -->This is a template sandbox subpage for [[{{#var: base page}}]]. <!-- -->{{#ifexist: {{#var: testcases}} | See also the companion subpage for [[{{#var: testcases}}|the testcases]]. }}<!-- --></div> }}<!-- --><div class="template-documentation" style="clear: both; border: 1px solid #5556; margin: 1em;"><!-- - - Documentation Header - --><div class="article-table" style="padding: 1em; margin: 0; border-bottom: 1px solid #5556;"><!-- --><span style="font-size:1.5em">{{#var: doc image }}'''{{{heading|{{ucfirst: {{#var: page text}} }} Documentation}}}'''</span><!-- - - Documentation page tools - --><span style="float: right">&#x5b;{{#if: {{{content|}}} | <!---->[[Special:EditPage/{{#var: current page}}|edit]] &#124; [[Special:Purge/{{#var: current page}}|purge]] | {{#ifexist: {{#var: doc page}} | <!-- -->[[{{#var: doc page}}|view]] &#124; [[Special:EditPage/{{#var: doc page}}|edit]] &#124; [[Special:PageHistory/{{#var: doc page}}|history]] &#124; [[Special:Purge/{{#var: current page}}|purge]] | <!-- -->[{{fullurl:{{FULLPAGENAMEE:{{#var: doc page}}}}|action=edit&preload={{#var: preload}} }} create] &#124; [[Special:Purge/{{#var: current page}}|purge]] }} }}]</span><!-- --></div><!-- - - Documentation blurb - --><div style="padding: 1em; padding-bottom: 0; margin: 0;"> {{#ifeq: {{{content|a}}} | {{{content}}} | <!-- do nothing --> | {{#ifexist: {{#var: doc page}} | {{<!---->{{#var:doc page}}}} | The [[w:Help:Template documentation|documentation]] for this {{#var: page text}} does not exist. Create it at [{{fullurl:{{FULLPAGENAMEE:{{#var: doc page}}}}|action=edit&preload={{#var: preload}} }} {{#var: doc page}}]. }} }}<!-- - -->{{{content|}}} </div><!-- - - End blurb - -->{{#if: {{{nofooter|}}} | | <div class="article-table" style="clear: both; padding: 0.5em; margin: 0; border-top: 1px solid #5556;"><!-- - - The above [documentation] is … - -->{{#if: {{{content|}}} | <!-- do not show --> | {{#ifexist: {{#var: doc page}} | {{#ifeq: {{SUBPAGENAME}} | sandbox | This is the sandbox subpage of [[{{#var: base page}}]]; | The above }}&nbsp;[[w:Help:Template documentation|documentation]] is [[mw:Help:Transclusion|transcluded]] from [[{{#var: doc page}}]]. <small>([[Special:EditPage/{{#var: doc page}}|edit]] &#124; [[Special:PageHistory/{{#var: doc page}}|history]])</small><br/> | {{#ifeq: {{#var: namespace}} | {{ns:Module}} | You might want to [{{fullurl:{{FULLPAGENAMEE:{{#var: doc page}}}}|action=edit&preload={{#var: preload}} }} create documentation] for this [[w:Help:Lua|Scribuntu module]]. <br/> | [{{fullurl:{{FULLPAGENAMEE:{{#var: doc page}}}}|action=edit&preload={{#var: preload}} }} Create documentation] for this template. <br/> }} }} }}<!-- - - Sandbox and testcases. - - NOTE: THIS WILL CREATE MANY (yes, MANY) REDLINKS (IF YOU DIDN'T MAKE THE /sandbox or /testcases PAGES). IF YOU DONT WANT THE LINKS, PLEASE REPLACE THE CODE BELOW WITH: < Editors can experiment in the page's [{{fullurl: {{#var: sandbox}}}} sandbox] and [{{fullurl: {{#var: testcases}}}} testcases] pages. > - --><!-- --><!-- CHANGE START --><!-- -->Editors can experiment in this {{#var: page text}}'s <!-- - -->{{#ifexist: {{#var: sandbox}} | [[{{#var: sandbox}}|sandbox]] <!-- --><small>(<!-- -->[[Special:EditPage/{{#var: sandbox}}|edit]] &#124; <!-- -->[{{fullurl: Special:ComparePages | page1={{FULLPAGENAMEE:{{#var: base page}}}}&page2={{FULLPAGENAMEE:{{#var: current page}}}} }} diff]<!-- -->)</small> | sandbox <small>(<!-- -->[{{fullurl: {{FULLPAGENAMEE:{{#var: sandbox}}}} | action=edit&preload={{#var: preload-sandbox}} }} create] &#124; [{{fullurl: {{FULLPAGENAMEE:{{#var: sandbox}}}} | action=edit&preload={{FULLPAGENAMEE:{{#var: base page}}}} }} mirror]<!-- -->)</small> }}<!-- --> and <!-- -->{{#ifexist: {{#var:testcases}} | [[{{#var:testcases}}|testcases]] <small>([[Special:EditPage/{{#var: testcases}}|edit]])</small> | testcases <small>(<!-- -->[{{fullurl: {{FULLPAGENAMEE:{{#var: testcases}}}} | action=edit&preload={{#var: preload-testcases}} }} create]<!-- -->)</small> }}<!-- --> pages.<br/><!-- --><!-- CHANGE END --><!-- - - Category addition text & subpages text. - -->{{#if: {{{content|{{{1|}}}}}} | <!-- Do NOT show cat text *if* documentation is inline or transcluded from a different page. --> | {{#ifexist: {{#var: doc page}} | Add [[w:Help:categories|categories]] and [[w:Help:interwiki links|interwikis]] to the [[{{#var: doc page}}|/doc]] subpage.&nbsp; }} }}<!-- - -->[[Special:PrefixIndex/{{#var: current page}}|Subpages of this {{#var: page text}}]]. </div> }} </div> ec38f901c8dca4bd63590763823111deb58430de Template:Infobox person/install 10 164 327 2023-03-06T21:18:46Z fandom>Wonderfulandcaringguy 0 Created page with ";Dependencies: :;Templates:<!-- Delete if N/A --> :*{{t|template}} :*{{t|template}} :*{{T|code}} :;CSS:<!-- Delete if N/A --> :*[[MediaWiki:Common.css]] ;Installation<!-- Delete if N/A --> :After you copy x, you need to change the following code: <pre> ... {{Documentation}} {{CODE}} <-- Remove Code <div>... </pre> ;Notes<!-- Delete if N/A --> * A '''does not work''' in b * You might need to do c for this to work." wikitext text/x-wiki ;Dependencies: :;Templates:<!-- Delete if N/A --> :*{{t|template}} :*{{t|template}} :*{{T|code}} :;CSS:<!-- Delete if N/A --> :*[[MediaWiki:Common.css]] ;Installation<!-- Delete if N/A --> :After you copy x, you need to change the following code: <pre> ... {{Documentation}} {{CODE}} <-- Remove Code <div>... </pre> ;Notes<!-- Delete if N/A --> * A '''does not work''' in b * You might need to do c for this to work. 5f7dcf391fb9f66a15eef532637920ba1ba6906d 328 327 2023-06-07T19:27:31Z Nora2605 2 1 revision imported wikitext text/x-wiki ;Dependencies: :;Templates:<!-- Delete if N/A --> :*{{t|template}} :*{{t|template}} :*{{T|code}} :;CSS:<!-- Delete if N/A --> :*[[MediaWiki:Common.css]] ;Installation<!-- Delete if N/A --> :After you copy x, you need to change the following code: <pre> ... {{Documentation}} {{CODE}} <-- Remove Code <div>... </pre> ;Notes<!-- Delete if N/A --> * A '''does not work''' in b * You might need to do c for this to work. 5f7dcf391fb9f66a15eef532637920ba1ba6906d Help:Infobox/user style 12 72 139 2023-04-03T14:00:08Z wikipedia>Maddy from Celeste 0 blatant self-promotion wikitext text/x-wiki {{{heading| ==Infoboxes and user style == }}} Users can have [[WP:User style|user CSS]] that hides<!--, moves, or makes collapsible--> any infoboxes in their own browsers. To hide all infoboxes, add the following to [[Special:MyPage/common.css]] (for all [[WP:Skin|skins]], or [[Special:MyPage/skin.css]] for just the current skin), on a line by itself: <syntaxhighlight lang="css">div.mw-parser-output .infobox { display: none; }</syntaxhighlight> Alternatively, you can add the following code to [[Special:MyPage/common.js|your common.js]] or into a browser user script that is executed by an extension like [[Greasemonkey]]: <syntaxhighlight lang="js">$('.infobox').hide();</syntaxhighlight> Be aware that although{{#if:{{{guideline|}}}||, per [[WP:Manual of Style/Infoboxes]],}} all information in an infobox ideally should also be found in the main body of an article, there isn't perfect compliance with this guideline. For example, the full taxonomic hierarchy in {{tlx|Taxobox}}, and the OMIM and other medical database codes of {{tlx|Infobox disease}} are often not found in the main article content. The infobox is also often the location of the most significant, even only, image in an article. There is a userscript which removes infoboxes but moves the images contained to separate thumbnails: [[User:Maddy from Celeste/disinfobox.js]].<!-- Needs Special:Mypage/common.js options for: * Making infoboxes collapsible ** Making them auto-collapsed * Moving infoboxes to bottom of page --><noinclude> {{Documentation|content= This documentation snippet is transcluded at [[Help:Infobox]], [[Template:Infobox/doc]], [[WP:Customisation#Hiding specific messages]], [[Help:User style]], [[WP:Manual of Style/Infoboxes]], and other places where this information is relevant. As a template, this snippet takes a {{para|heading}} parameter to replace the level-2 <code>==Infoboxes and user style==</code> section heading code, as needed. E.g., for a <code>=== ... ===</code> level-3 heading: <code><nowiki>heading={{=}}{{=}}{{=}}Infoboxes and user style{{=}}{{=}}{{=}}</nowiki></code> }} </noinclude> ba4dac68eb2bdc49a32f2a11b9afd52381bf06b5 140 139 2023-06-07T15:54:11Z Nora2605 2 1 revision imported from [[:wikipedia:Help:Infobox/user_style]] wikitext text/x-wiki {{{heading| ==Infoboxes and user style == }}} Users can have [[WP:User style|user CSS]] that hides<!--, moves, or makes collapsible--> any infoboxes in their own browsers. To hide all infoboxes, add the following to [[Special:MyPage/common.css]] (for all [[WP:Skin|skins]], or [[Special:MyPage/skin.css]] for just the current skin), on a line by itself: <syntaxhighlight lang="css">div.mw-parser-output .infobox { display: none; }</syntaxhighlight> Alternatively, you can add the following code to [[Special:MyPage/common.js|your common.js]] or into a browser user script that is executed by an extension like [[Greasemonkey]]: <syntaxhighlight lang="js">$('.infobox').hide();</syntaxhighlight> Be aware that although{{#if:{{{guideline|}}}||, per [[WP:Manual of Style/Infoboxes]],}} all information in an infobox ideally should also be found in the main body of an article, there isn't perfect compliance with this guideline. For example, the full taxonomic hierarchy in {{tlx|Taxobox}}, and the OMIM and other medical database codes of {{tlx|Infobox disease}} are often not found in the main article content. The infobox is also often the location of the most significant, even only, image in an article. There is a userscript which removes infoboxes but moves the images contained to separate thumbnails: [[User:Maddy from Celeste/disinfobox.js]].<!-- Needs Special:Mypage/common.js options for: * Making infoboxes collapsible ** Making them auto-collapsed * Moving infoboxes to bottom of page --><noinclude> {{Documentation|content= This documentation snippet is transcluded at [[Help:Infobox]], [[Template:Infobox/doc]], [[WP:Customisation#Hiding specific messages]], [[Help:User style]], [[WP:Manual of Style/Infoboxes]], and other places where this information is relevant. As a template, this snippet takes a {{para|heading}} parameter to replace the level-2 <code>==Infoboxes and user style==</code> section heading code, as needed. E.g., for a <code>=== ... ===</code> level-3 heading: <code><nowiki>heading={{=}}{{=}}{{=}}Infoboxes and user style{{=}}{{=}}{{=}}</nowiki></code> }} </noinclude> ba4dac68eb2bdc49a32f2a11b9afd52381bf06b5 Template:Infobox show character 10 155 309 2023-04-28T16:18:16Z fandom>BaRaN6161TURK 0 Undo revision 28977 by [[Special:Contributions/Yotlbop|Yotlbop]] ([[User talk:Yotlbop|talk]]) wikitext text/x-wiki <infobox> <title source="name"> <default>{{PAGENAME}}</default> </title> <image source="image"> <caption source="caption"/> </image> <group> <header>Biographical Information</header> <data source="born"> <label>Born</label> </data> <data source="died"> <label>Died</label> </data> <data source="status"> <label>Status</label> </data> <data source="alias"> <label>Alias</label> </data> </group> <group> <header>Familial Information</header> <data source="marital"> <label>Marital</label> </data> <data source="children"> <label>Children</label> </data> <data source="biological_children"> <label>Biological Children</label> </data> <data source="parents"> <label>Parents</label> </data> <data source="biological_parents"> <label>Biological Parents</label> </data> <data source="siblings"> <label>Siblings</label> </data> <data source="grandparents"> <label>Grandparents</label> </data> <data source="grandchildren"> <label>Grandchildren</label> </data> <data source="others"> <label>Others</label> </data> </group> <group> <header>Professional Information</header> <data source="profession"> <label>Profession</label> </data> <data source="workplace"> <label>Workplace</label> </data> </group> <group> <header>Appearances</header> <data source="first"> <label>First</label> </data> <data source="last"> <label>Last</label> </data> <data source="only"> <label>Only</label> </data> <data source="generations"> <label>Generations</label> </data> </group> </infobox><noinclude> {{Documentation|tr=Şablon:Şov karakteri bilgi kutusu}} </noinclude> a268f23d3654f2a4dd3b7369b552dfd152c7cccc 310 309 2023-06-07T19:27:25Z Nora2605 2 1 revision imported wikitext text/x-wiki <infobox> <title source="name"> <default>{{PAGENAME}}</default> </title> <image source="image"> <caption source="caption"/> </image> <group> <header>Biographical Information</header> <data source="born"> <label>Born</label> </data> <data source="died"> <label>Died</label> </data> <data source="status"> <label>Status</label> </data> <data source="alias"> <label>Alias</label> </data> </group> <group> <header>Familial Information</header> <data source="marital"> <label>Marital</label> </data> <data source="children"> <label>Children</label> </data> <data source="biological_children"> <label>Biological Children</label> </data> <data source="parents"> <label>Parents</label> </data> <data source="biological_parents"> <label>Biological Parents</label> </data> <data source="siblings"> <label>Siblings</label> </data> <data source="grandparents"> <label>Grandparents</label> </data> <data source="grandchildren"> <label>Grandchildren</label> </data> <data source="others"> <label>Others</label> </data> </group> <group> <header>Professional Information</header> <data source="profession"> <label>Profession</label> </data> <data source="workplace"> <label>Workplace</label> </data> </group> <group> <header>Appearances</header> <data source="first"> <label>First</label> </data> <data source="last"> <label>Last</label> </data> <data source="only"> <label>Only</label> </data> <data source="generations"> <label>Generations</label> </data> </group> </infobox><noinclude> {{Documentation|tr=Şablon:Şov karakteri bilgi kutusu}} </noinclude> a268f23d3654f2a4dd3b7369b552dfd152c7cccc Main Page 0 1 1 2023-06-05T17:12:55Z MediaWiki default 1 Create main page wikitext text/x-wiki __NOTOC__ == Welcome to {{SITENAME}}! == This Main Page was created automatically and it seems it hasn't been replaced yet. === For the bureaucrat(s) of this wiki === Hello, and welcome to your new wiki! Thank you for choosing Miraheze for the hosting of your wiki, we hope you will enjoy our hosting. You can immediately start working on your wiki or whenever you want. Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links: * [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users) * [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]] * [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.) ==== I still don't understand X! ==== Well, that's no problem. Even if something isn't explained in the documentation/FAQ, we are still happy to help you. You can find us here: * [[meta:Special:MyLanguage/Help center|On our own Miraheze wiki]] * On [[phab:|Phabricator]] * On [https://miraheze.org/discord Discord] * On IRC in #miraheze on irc.libera.chat ([irc://irc.libera.chat/%23miraheze direct link]; [https://web.libera.chat/?channel=#miraheze webchat]) === For visitors of this wiki === Hello, the default Main Page of this wiki (this page) has not yet been replaced by the bureaucrat(s) of this wiki. The bureaucrat(s) might still be working on a Main Page, so please check again later! 21236ac3f8d65e5563b6da6b70815ca6bf1e6616 300 1 2023-06-07T17:48:32Z Nora2605 2 Create main page wikitext text/x-wiki __NOTOC__ <div class="main-page"> <div class="main-page__header"> <!-- Title and logo of the wiki --> <h1>Welcome to the Chronii Wiki!</h1> [[File:index.png|center|300px]] <div class="main-page__caption"> The Chronii Logo </div> </div> </div> == The Chronii Wiki == The Chronii Wiki is the official documentation project dedicated to the Chronii Project. This wiki serves as a central hub for organizing and sharing knowledge about the project and its various aspects. Please notice the [[Chronii Wiki:Copyrights|Copyrights Page]]. === The Chronii Project === <sub>(Main article: [[Chronii_Project|Chronii Project]])</sub> The Chronii Project (also called ''U12'' or ''The 12 Chronii'') is a collection of 12 Main Universes in the same Omniverse. It contains thorough Worldbuilding and a Story for each of them, a magic system in most of them (See [[Category:Magic Systems|Magic Systems]]) === The structure === All pages are found in the main namespace for ease of navigation. They may have a suffix _(UX) where X is a number from 1 to 12. Most shared attributes of worlds, like Country Lists, Languages, Magic System can be found in their respective Categories or by directly going to e.g. [[Magic System (U3)]] == Contributing == I welcome contributions from selected individuals who have been granted access to this wiki. If you are one of the contributors, feel free to add or edit pages to expand our collective knowledge. If you know me, shoot me a text if you want to be a contributor. == Community == Currently, there is no official Community for the Chronii Project. == Contact == If you'd like to know more, you can contact me (the creator) here: ;'''Discord''' : Nora2605#3789 6e2851f8181508bb72987e17d2839faa24f434c9 301 300 2023-06-07T17:52:37Z Nora2605 2 /* The Chronii Wiki */ wikitext text/x-wiki == The Chronii Wiki == The Chronii Wiki is the official documentation project dedicated to the Chronii Project. This wiki serves as a central hub for organizing and sharing knowledge about the project and its various aspects. Please notice the [[Chronii Wiki:Copyrights|Copyrights Page]]. === The Chronii Project === <sub>(Main article: [[Chronii_Project|Chronii Project]])</sub> The Chronii Project (also called ''U12'' or ''The 12 Chronii'') is a collection of 12 Main Universes in the same Omniverse. It contains thorough Worldbuilding and a Story for each of them, a magic system in most of them (See [[:Category:Magic Systems]]) === The structure === All pages are found in the main namespace for ease of navigation. They may have a suffix _(UX) where X is a number from 1 to 12. Most shared attributes of worlds, like Country Lists, Languages, Magic System can be found in their respective Categories or by directly going to e.g. [[Magic System (U3)]] == Contributing == I welcome contributions from selected individuals who have been granted access to this wiki. If you are one of the contributors, feel free to add or edit pages to expand our collective knowledge. If you know me, shoot me a text if you want to be a contributor. == Community == Currently, there is no official Community for the Chronii Project. == Contact == If you'd like to know more, you can contact me (the creator) here: ;'''Discord''' : Nora2605#3789 95e6f92a9882c5029441d0248dc9d06b5f645fc7 302 301 2023-06-07T18:00:52Z Nora2605 2 wikitext text/x-wiki == The Chronii Wiki == [[File:index.png|200px|thumb|right|Chronii logo]] The Chronii Wiki is the official documentation project dedicated to the Chronii Project. This wiki serves as a central hub for organizing and sharing knowledge about the project and its various aspects. Please notice the [[Chronii Wiki:Copyrights|Copyrights Page]]. === The Chronii Project === <sub>(Main article: [[Chronii_Project|Chronii Project]])</sub> The Chronii Project (also called ''U12'' or ''The 12 Chronii'') is a collection of 12 Main Universes in the same Omniverse. It contains thorough Worldbuilding and a Story for each of them, a magic system in most of them (See [[:Category:Magic Systems]]) === The structure === All pages are found in the main namespace for ease of navigation. They may have a suffix _(UX) where X is a number from 1 to 12. Most shared attributes of worlds, like Country Lists, Languages, Magic System can be found in their respective Categories or by directly going to e.g. [[Magic System (U3)]] == Contributing == I welcome contributions from selected individuals who have been granted access to this wiki. If you are one of the contributors, feel free to add or edit pages to expand our collective knowledge. If you know me, shoot me a text if you want to be a contributor. == Community == Currently, there is no official Community for the Chronii Project. == Contact == If you'd like to know more, you can contact me (the creator) here: ;'''Discord''' : Nora2605#3789 fffc5ff79eff1b5375680734050e1990f543fe12 File:Index.png 6 2 2 2023-06-06T08:48:20Z Nora2605 2 Logo wikitext text/x-wiki == Summary == Logo 5a86322232153454da0516cf1b60aea5524dab62 File:Favicon.ico 6 3 3 2023-06-06T08:49:41Z Nora2605 2 favicon wikitext text/x-wiki == Summary == favicon 2360d15e65d02af45a96f1c2726e00a2bcbfbe05 User:Nora2605 2 4 4 2023-06-06T09:02:31Z Nora2605 2 Create user page wikitext text/x-wiki == Nora2605 == ---- That's me, the owner of the wiki and creator of the thingamajig that is this OW. 981b1192fbcb250ee7a5ec597229ecd22216b5ca MediaWiki:Tagline 8 5 5 2023-06-07T13:51:00Z Nora2605 2 Edit Tagline wikitext text/x-wiki All Info to the Chronii Project 75fe914d2ad8897167d989fbed50b8bd7789a153 Chronii Wiki:Copyrights 4 6 6 2023-06-07T15:11:09Z Nora2605 2 Create Copyright notice wikitext text/x-wiki == Public Domain Copyright Notice == Welcome to ''The Chronii Wiki''! This page serves as an official statement regarding the copyright status of the information and intellectual property contained within this documentation wiki. Please read this notice carefully before utilizing any content from this website. === Public Domain === All content, including but not limited to text, images, diagrams, maps, and any other creative works, found within ''The Chronii Wiki'' is dedicated to the public domain. As the creator of this wiki and the Chronii Project, I hereby waive all rights to the fullest extent permitted by law, allowing the information and intellectual property to be freely used, modified, distributed, and reproduced by anyone for any purpose, without the need for any further permission. === Attribution Requirement === While the content in the Worldbuilding Wiki is in the public domain, it is kindly requested that users provide attribution when utilizing or reproducing the content. Attribution should include acknowledgment of the source, such as mentioning the Chronii Project and/or contributor(s) if applicable. Providing attribution is a respectful way to acknowledge the efforts and contributions of the individuals who have created or contributed to the content within this wiki. Attribution notices may look like this: <div style="text-align: center; border: 1px solid #ccc; padding: 10px; background-color: #f9f9f9;"> This is a fan-made work based on elements of the ''Chronii Project''. </div> === No Claim of Creatorship === In addition to the public domain dedication, it is explicitly stated that no individual or entity may present themselves as the sole creator or originator of any knowledge or information derived from ''The Chronii Wiki'' or the Chronii Project. The purpose of this provision is to ensure that no person or entity can assert exclusive rights or ownership over any part of the content contained herein. By acknowledging this condition, users of ''The Chronii Wiki'' recognize and agree that any knowledge, concepts, ideas, or other forms of intellectual property obtained or derived from this documentation cannot be claimed as their own creation. This stipulation is intended to preserve the integrity of the Chronii Project and ensure accurate representation of its development and contributions. === License Terms === All content within ''The Chronii Wiki'' is subject to the following license terms: * '''Non-Exclusive''': This license is non-exclusive, meaning it does not grant exclusive rights to any individual or entity. * '''Non-Endorsement''': The creator of ''The Chronii Wiki'' does not endorse or promote any particular usage or interpretation of the content within. Any application or utilization of the information found here is the sole responsibility of the user. * '''No Warranty''': The content on ''The Chronii Wiki'' is provided on an "as is" basis, without warranties of any kind, whether expressed or implied. The creator of ''The Chronii Wiki'' cannot guarantee the accuracy, completeness, or reliability of the information contained herein. * '''No Liability''': The creator of ''The Chronii Wiki'' shall not be held liable for any damages, losses, or legal disputes arising from the use, misuse, or reliance upon the content within this wiki. === Modifications and Derivative Works === As all content within ''The Chronii Wiki'' is in the public domain, users are free to modify, enhance, remix, or create derivative works based on the information provided. However, it is important to note that modifications or derivative works must adhere to the same public domain dedication and no-claim-of-creatorship provisions specified in this copyright notice. === Dispute Resolution === In the event of any disputes or conflicts arising from the usage or interpretation of the content within ''The Chronii Wiki'', it is encouraged that parties involved engage in open and respectful communication to reach a resolution. The creator of ''The Chronii Wiki'' shall not be responsible for resolving any disputes, and any legal proceedings shall be subject to the applicable laws and jurisdictions. === Acceptance === By accessing or utilizing any content from ''The Chronii Wiki'', you acknowledge that you have read, understood, and agreed to the terms and conditions outlined in this copyright notice. If you do not agree with these terms, you must refrain from accessing or utilizing the content within this documentation wiki. Please note that this copyright notice is specific to ''The Chronii Wiki'' and the Chronii Project. e1084c6a7dfbf700dd2d59ba8c807b69b33058df MediaWiki:Citizen-footer-desc 8 150 303 2023-06-07T18:02:17Z Nora2605 2 Created page with "The official structured documentation for the Chronii Project." wikitext text/x-wiki The official structured documentation for the Chronii Project. 3d7fe2d429805f32e2c061f7a004ebde60af8d5b MediaWiki:Citizen-footer-tagline 8 151 304 2023-06-07T18:50:14Z Nora2605 2 Created page with "Wiki by [https://linktr.ee/nora2605 Nora2605]" wikitext text/x-wiki Wiki by [https://linktr.ee/nora2605 Nora2605] 50c735df897147603371ef718333a68850708c1c Chronii Wiki:About 4 152 305 2023-06-07T18:54:50Z Nora2605 2 Created page with "= About the Chronii Wiki = The Chronii Wiki is a comprehensive documentation project dedicated to the exploration and development of the Chronii Project. This wiki serves as a collaborative platform where selected individuals can share knowledge, ideas, and insights related to the project. == Mission and Purpose == The primary mission of the Chronii Wiki is to create a centralized repository of information that encompasses all aspects of the Chronii Project. I aim to d..." wikitext text/x-wiki = About the Chronii Wiki = The Chronii Wiki is a comprehensive documentation project dedicated to the exploration and development of the Chronii Project. This wiki serves as a collaborative platform where selected individuals can share knowledge, ideas, and insights related to the project. == Mission and Purpose == The primary mission of the Chronii Wiki is to create a centralized repository of information that encompasses all aspects of the Chronii Project. I aim to document the project's concepts, technologies, characters, locations, languages, and more, providing a comprehensive resource for funny people that look at this. == Contributions == The Chronii Wiki welcomes contributions from a select group of individuals who have been granted access to this collaborative platform. These contributors are trusted members who actively participate in the exploration and expansion of the Chronii Project. If you are a contributor, we encourage you to share your expertise, insights, and creative contributions to enhance the collective knowledge base. Feel free to create or edit articles, add new information, develop character profiles, describe unique languages, document key events, and more. Your contributions will help shape the richness and depth of the Chronii universes. == Copyrights and Licensing == The Chronii Wiki operates under a public domain license, ensuring that the information and intellectual property shared within this wiki are freely available to the public. However, we maintain the requirement that no one may present themselves as the sole creator of any knowledge contained within this wiki. For detailed information about the copyright policies and licensing terms, please refer to our [[Chronii Wiki:Copyrights|Copyrights]] page. == Contact Us == If you have any questions, suggestions, or inquiries related to the Chronii Wiki, please don't hesitate to contact us. You can reach out to the wiki administrators or join the discussion on our community portal. [https://linktr.ee/nora2605 Contact the owner] 10b2c914df53d945813ee4222d4c93e97728fe61 306 305 2023-06-07T18:55:18Z Nora2605 2 wikitext text/x-wiki The Chronii Wiki is a comprehensive documentation project dedicated to the exploration and development of the Chronii Project. This wiki serves as a collaborative platform where selected individuals can share knowledge, ideas, and insights related to the project. == Mission and Purpose == The primary mission of the Chronii Wiki is to create a centralized repository of information that encompasses all aspects of the Chronii Project. I aim to document the project's concepts, technologies, characters, locations, languages, and more, providing a comprehensive resource for funny people that look at this. == Contributions == The Chronii Wiki welcomes contributions from a select group of individuals who have been granted access to this collaborative platform. These contributors are trusted members who actively participate in the exploration and expansion of the Chronii Project. If you are a contributor, we encourage you to share your expertise, insights, and creative contributions to enhance the collective knowledge base. Feel free to create or edit articles, add new information, develop character profiles, describe unique languages, document key events, and more. Your contributions will help shape the richness and depth of the Chronii universes. == Copyrights and Licensing == The Chronii Wiki operates under a public domain license, ensuring that the information and intellectual property shared within this wiki are freely available to the public. However, we maintain the requirement that no one may present themselves as the sole creator of any knowledge contained within this wiki. For detailed information about the copyright policies and licensing terms, please refer to our [[Chronii Wiki:Copyrights|Copyrights]] page. == Contact Us == If you have any questions, suggestions, or inquiries related to the Chronii Wiki, please don't hesitate to contact us. You can reach out to the wiki administrators or join the discussion on our community portal. [https://linktr.ee/nora2605 Contact the owner] 85b7cc1acc4cb1f7d4c0163c523efdb235ce573b Chronii Wiki:General disclaimer 4 153 307 2023-06-07T19:03:46Z Nora2605 2 Created page with "The information provided on the Chronii Wiki is for general informational purposes only. Any resemblance to real life persons or happenstances is entirely coincidental. == Content Accuracy == The content published on the Chronii Wiki is 99% accurate. Since I'm the creator, I may miss some stuff like logical loopholes, but everything here is 100% canon. == External Links == The Chronii Wiki may contain links to external websites or resources for additional information o..." wikitext text/x-wiki The information provided on the Chronii Wiki is for general informational purposes only. Any resemblance to real life persons or happenstances is entirely coincidental. == Content Accuracy == The content published on the Chronii Wiki is 99% accurate. Since I'm the creator, I may miss some stuff like logical loopholes, but everything here is 100% canon. == External Links == The Chronii Wiki may contain links to external websites or resources for additional information or reference purposes. However, we do not have control over the nature, content, and availability of these external sites. The inclusion of any external links does not necessarily imply endorsement or recommendation of the views expressed within them. The Chronii Wiki and its contributors are not responsible for the content or practices of any linked sites. == Modifications and Updates == The Chronii Wiki reserves the right to modify, update, or remove any content on this wiki without prior notice. We strive to ensure the accuracy and relevance of the information, but we cannot guarantee the timeliness of updates or changes. The Chronii Wiki and its contributors shall not be liable for any modifications, errors, or omissions in the content of this wiki. == Acceptance of Terms == By using and accessing the Chronii Wiki, you agree to accept and abide by the terms and conditions outlined in this disclaimer, as well as the [[Chronii Wiki:Copyrights|Copyright Terms]]. If you do not agree with any part of this disclaimer, please refrain from using this wiki or ask one of the administrators for help or clarification. If you have any questions or concerns regarding this disclaimer, please reach out to our administrators or contact us through the available channels. Thank you for your understanding and cooperation. a84d840137a4d46f869adea8a69362e6aee1efc7 Lümir Novya Nijimi 0 154 308 2023-06-07T19:24:02Z Nora2605 2 Created page with "'''Lümir Novya Nijimi''' is the protagonist of the [[U1|AoasE]] series. She is a [[Heli-Navira]] born on [[Voles]] before the [[Navira War]]." wikitext text/x-wiki '''Lümir Novya Nijimi''' is the protagonist of the [[U1|AoasE]] series. She is a [[Heli-Navira]] born on [[Voles]] before the [[Navira War]]. fdd58afdbbcaf1bc02d99ca633a52273d994a893 337 308 2023-06-07T20:31:14Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name={{PAGENAME}} |image=Lumir_Full.png |gender=Female |age=17 [[Calendar_(U1)|(423)]], 19 [[Year_(Unit)|(365)]] |birth_name=Lümir Novya Nijimi |birth_place=[[Voles]] |birth_date=17655-07-09 [[Calendar_(U1)|vH2]] |nationality=[[Vola-Hamerden|Vola Hamerda]] |other_names=<ul> <li>Lümi (nickname)</li> <li>Ace of all seeing eye (reputation)</li> </ul> |occupation=[[Global_Peace_Organization_(U1)|GPO]] Soldier/<spoiler>Officer</spoiler> |years_active=- |hometown=[[Reinmyer]] |height=1.914 [[Meter_(Unit)|m]] |weight=93 [[Kilogram_(Unit)|kg]] |hair=Dark Brown |eyes=<ul> <li>Left: Rainbow-colored</li> <li>Right: Blue</li> </ul> }} '''Lümir Novya Nijimi''' is the protagonist of the [[U1|AoasE]] series. She is a [[Navira#Heli|Heli-Navira]] born on [[Voles]] before the [[Navira War]]. She currently lives in Reinmyer with her [[Gay_Marriage|2 dads]], [[Eskarlor Önsör]] and [[Temhami Önsör]], and little sister [[Oruka Nijimi|Oruka Shiroi Arkas Nijimi]]. == Early Life == She was born as the daughter of [[Artimir Nijimi]] and [[Siben Dreisig]] during the time of peace inbetween the discovery of the Voles civilization and the Navira War. Being in one of the first waves of children between [[Navira]] and [[Havira]] she was raised bilingually in [[Getrish]] and [[Old High Gerfin]]. Until she was about 4 she lived inside the old city [[Khroma]] with her mother. Her father was unable to stay as long in Voles due to the Environment<ref>See [[Voles#Environment]]</ref> During the war, her dad was shot in front of her eyes and her mom disappeared. She was eventually found unconscious with her baby sister by rescue workers of the [[Global_Peace_Organization|GPO Precursor]] and was placed in an adoption center == Abilities and Attributes == === Physical strength === {| class="wikitable" ! Discipline !! 1RM |- | Squat (Top-Weight) || 405 N |- | Deadlift || 500 N |- | Benchpress || 260 N |- | Barbell Curl || 100 N |- | Wing carry || 300 N |} c2aabc22d6f599ffd59ff9e353829cd3d30b35e6 338 337 2023-06-08T10:40:03Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name={{PAGENAME}} |image=Lumir_Full.png |gender=Female |age=17 [[Calendar_(U1)|(423)]], 19 [[Year_(Unit)|(365)]] |birth_name=Lümir Novya Nijimi |birth_place=[[Voles]] |birth_date=17655-07-09 [[Calendar_(U1)|vH2]] |nationality=[[Vola-Hamerden|Vola Hamerda]] |other_names=<ul> <li>Lümi (nickname)</li> <li>Ace of all seeing eye (reputation)</li> </ul> |occupation=[[Global_Peace_Organization_(U1)|GPO]] Soldier/<spoiler>Officer</spoiler> |years_active=- |hometown=[[Reinmyer]] |height=1.914 [[Meter_(Unit)|m]] |weight=93 [[Kilogram_(Unit)|kg]] |hair=Dark Brown |eyes=<ul> <li>Left: Rainbow-colored</li> <li>Right: Blue</li> </ul> }} '''Lümir Novya Nijimi''' is the protagonist of the [[U1|AoasE]] series. She is a [[Navira#Heli|Heli-Navira]] born on [[Voles]] before the [[Navira War]]. She currently lives in Reinmyer with her [[Gay_Marriage|2 dads]], [[Eskarlor Önsör]] and [[Temhami Önsör]], and little sister [[Oruka Nijimi|Oruka Shiroi Arkas Nijimi]]. == Early Life == She was born as the daughter of [[Artimir Nijimi]] and [[Siben Dreisig]] during the time of peace inbetween the discovery of the Voles civilization and the Navira War. Being in one of the first waves of children between [[Navira]] and [[Havira]] she was raised bilingually in [[Getrish]] and [[Old High Gerfin]]. Until she was about 4 she lived inside the old city [[Khroma]] with her mother. Her father was unable to stay as long in Voles due to the Environment<ref>See [[Voles#Environment]]</ref> During the war, her dad was shot in front of her eyes and her mom disappeared. She was eventually found unconscious with her baby sister by rescue workers of the [[Global_Peace_Organization|GPO Precursor]] and was placed in an adoption center == Appearance == {{To do}} == Abilities and Attributes == === Physical strength === {| class="wikitable" ! Discipline !! 1RM |- | Squat (Top-Weight) || 405 N |- | Deadlift || 500 N |- | Benchpress || 260 N |- | Barbell Curl || 100 N |- | Wing carry || 300 N |} == Trivia == * Lümir Novya Nijimi was the first OC of the Chronii Project * Her original name was Kurika * e77dc4d30bee147c76789a57a0f7454e94ecc409 339 338 2023-06-08T10:41:10Z Nora2605 2 /* Physical strength */ wikitext text/x-wiki {{Infobox person |name={{PAGENAME}} |image=Lumir_Full.png |gender=Female |age=17 [[Calendar_(U1)|(423)]], 19 [[Year_(Unit)|(365)]] |birth_name=Lümir Novya Nijimi |birth_place=[[Voles]] |birth_date=17655-07-09 [[Calendar_(U1)|vH2]] |nationality=[[Vola-Hamerden|Vola Hamerda]] |other_names=<ul> <li>Lümi (nickname)</li> <li>Ace of all seeing eye (reputation)</li> </ul> |occupation=[[Global_Peace_Organization_(U1)|GPO]] Soldier/<spoiler>Officer</spoiler> |years_active=- |hometown=[[Reinmyer]] |height=1.914 [[Meter_(Unit)|m]] |weight=93 [[Kilogram_(Unit)|kg]] |hair=Dark Brown |eyes=<ul> <li>Left: Rainbow-colored</li> <li>Right: Blue</li> </ul> }} '''Lümir Novya Nijimi''' is the protagonist of the [[U1|AoasE]] series. She is a [[Navira#Heli|Heli-Navira]] born on [[Voles]] before the [[Navira War]]. She currently lives in Reinmyer with her [[Gay_Marriage|2 dads]], [[Eskarlor Önsör]] and [[Temhami Önsör]], and little sister [[Oruka Nijimi|Oruka Shiroi Arkas Nijimi]]. == Early Life == She was born as the daughter of [[Artimir Nijimi]] and [[Siben Dreisig]] during the time of peace inbetween the discovery of the Voles civilization and the Navira War. Being in one of the first waves of children between [[Navira]] and [[Havira]] she was raised bilingually in [[Getrish]] and [[Old High Gerfin]]. Until she was about 4 she lived inside the old city [[Khroma]] with her mother. Her father was unable to stay as long in Voles due to the Environment<ref>See [[Voles#Environment]]</ref> During the war, her dad was shot in front of her eyes and her mom disappeared. She was eventually found unconscious with her baby sister by rescue workers of the [[Global_Peace_Organization|GPO Precursor]] and was placed in an adoption center == Appearance == {{To do}} == Abilities and Attributes == === Physical strength === {| class="wikitable" ! Discipline !! 1RM |- | Squat (Top-Weight) || 4050 N |- | Deadlift || 5000 N |- | Benchpress || 2600 N |- | Barbell Curl || 1000 N |- | Wing carry || 3000 N |} == Trivia == * Lümir Novya Nijimi was the first OC of the Chronii Project * Her original name was Kurika * 3aa0d0ca02a1ad759a951fdc9c81a2d6a70fa88f File:Lumir Full.png 6 165 329 2023-06-07T19:30:28Z Nora2605 2 Full boy depiction of Lümir Novya Nijimi wikitext text/x-wiki == Summary == Full boy depiction of Lümir Novya Nijimi c14d08ecad9a872df206e305c16e387640e69f8f Template:To do 10 168 340 2023-06-08T11:27:22Z Nora2605 2 Created page with "<div style="border: 2px solid red; border-radius: 8px; background-color: #400; padding: 4px; margin-top: 5px; margin-bottom: 5px; text-align: center; font-size: x-large"> '''This section is a work in progress.''' </div>" wikitext text/x-wiki <div style="border: 2px solid red; border-radius: 8px; background-color: #400; padding: 4px; margin-top: 5px; margin-bottom: 5px; text-align: center; font-size: x-large"> '''This section is a work in progress.''' </div> 72a8f6960b14199e2bd9e75e6a2413f6ea51f456 341 340 2023-06-08T11:28:31Z Nora2605 2 wikitext text/x-wiki <div style="border: 2px solid red; border-radius: 8px; background-color: #400; padding: 4px; margin-top: 5px; margin-bottom: 5px; text-align: center; font-size: x-large; max-width: 80%"> '''This section is a work in progress.''' </div> 1255df442fdac73d1d6fcd776463ddd4e003e7b1 Template:Infobox person 10 156 342 336 2023-06-08T11:50:52Z Nora2605 2 wikitext text/x-wiki <infobox> <title source="name"><default>{{PAGENAME}}</default></title> <image source="image"> <caption source="caption"></caption> </image> <data source="gender"><label>Gender</label></data> <data source="age"><label>Age</label></data> <data source="birth_name"><label>Born</label></data> <data source="birth_date"><label>Birth date</label></data> <data source="birth_place"><label>Birth place</label></data> <data source="death_date"><label>Died</label></data> <data source="death_place"><label>Death place</label></data> <data source="nationality"><label>Nationality</label></data> <data source="other_names"><label>Other names</label></data> <data source="occupation"><label>Occupation</label></data> <data source="years_active"><label>Years active</label></data> <data source="known_for"><label>Known for</label></data> <data source="notable_works"><label>Notable work(s)</label></data> <data source="home_town"><label>Home town</label></data> <group> <header>Attributes</header> <data source="height"><label>Height</label></data> <data source="weight"><label>Weight</label></data> <data source="hair"><label>Hair color</label></data> <data source="eyes"><label>Eye color</label></data> <data source="bust_size"><label>Bust size</label></data> <data source="genital_size"><label>Genital Size</label></data> </group> <group> <header>Relationships</header> <data source="sexual_orientation"><label>Sexual Orientation</label></data> <data source="romantic_orientation"><label>Romantic Orientation</label></data> <data source="spouse"><label>Spouse</label></data> <data source="children"><label>Children</label></data> <data source="biological_children"><label>Biological Children</label></data> <data source="parents"><label>Parents</label></data> <data source="biological_parents"><label>Biological Parents</label></data> <data source="siblings"><label>Siblings</label></data> <data source="grandparents"><label>Grandparents</label></data> <data source="grandchildren"><label>Grandchildren</label></data> <data source="close_friends"><label>Close Friends</label></data> <data source="others"><label>Others</label></data> </group> </infobox> 13512082b99c729d9d1a0758dedb7825ba679bf7 Template:Infobox unit 10 169 343 2023-06-08T11:54:25Z Nora2605 2 Created page with "<infobox> <title source="name"><default>{{PAGENAME}}</default></title> <data source="symbol"><label>Symbol</label></data> <data source="quantity"><label>Quantity</label></data> <data source="dimension"><label>Dimension</label></data> <data source="system"><label>System</label></data> <data source="derived_from"><label>Derived from</label></data> <data source="base"><label>Base Unit</label></data> </infobox>" wikitext text/x-wiki <infobox> <title source="name"><default>{{PAGENAME}}</default></title> <data source="symbol"><label>Symbol</label></data> <data source="quantity"><label>Quantity</label></data> <data source="dimension"><label>Dimension</label></data> <data source="system"><label>System</label></data> <data source="derived_from"><label>Derived from</label></data> <data source="base"><label>Base Unit</label></data> </infobox> a4bc4ed3226e982cef9b27ce6108250ab4caba5c Meter (Unit) 0 170 344 2023-06-08T11:55:25Z Nora2605 2 Created page with "{{Infobox unit |name = Meter |symbol = m |quantity = Length |dimension = L |system = International System of Units |derivedfrom = Prototype meter |base = Yes }} The '''meter''' (symbol: '''m''') is the fundamental unit of length in the International System of Units (SI). It is defined as the length of the path traveled by light in a vacuum during a time interval of 1/299,792,458 of a second. __TOC__ == History == The concept of the meter dates back to ancient times wh..." wikitext text/x-wiki {{Infobox unit |name = Meter |symbol = m |quantity = Length |dimension = L |system = International System of Units |derivedfrom = Prototype meter |base = Yes }} The '''meter''' (symbol: '''m''') is the fundamental unit of length in the International System of Units (SI). It is defined as the length of the path traveled by light in a vacuum during a time interval of 1/299,792,458 of a second. __TOC__ == History == The concept of the meter dates back to ancient times when various civilizations used different units for measuring length. The modern definition of the meter was established in the late 18th century. In 1791, the French Academy of Sciences proposed a new standard unit of length, which became known as the meter. Initially, the meter was defined as one ten-millionth of the distance from the North Pole to the equator along a meridian passing through Paris. However, the definition of the meter has undergone revisions to achieve more precise measurements. == Prototype Meter == To serve as a reference, the International Prototype of the Meter was created in 1889. It was a platinum-iridium bar kept at the International Bureau of Weights and Measures (BIPM) in France. This prototype was used to define the meter until 1960 when it was replaced by a more accurate definition based on the speed of light. == Current Definition == Since 1983, the meter has been defined based on the speed of light in a vacuum. The current definition states that the meter is the distance traveled by light in a vacuum in 1/299,792,458 of a second. This definition provides a highly precise and reproducible measurement of the meter. == Practical Use == The meter is widely used in various fields, including science, engineering, and everyday life. It provides a common unit of measurement for length and distance. In addition to its use in everyday applications, the meter is also used as a base unit for derived units such as the square meter (m²) for area and the cubic meter (m³) for volume. == Other Units of Length == While the meter is the primary unit of length in the SI system, there are other units of length used in different contexts. Some examples include the kilometer (km) for longer distances, the centimeter (cm) for smaller lengths, and the nanometer (nm) for measuring extremely small distances. == Conversion == The meter can be easily converted to other units of length using conversion factors. For example, 1 meter is equal to 0.001 kilometers, 100 centimeters, or 1,000 millimeters. == See Also == * [[w:International System of Units|SI Units (Wikipedia)]] * [[w:Length|Length (Wikipedia)]] b52fbc983b5198b3756c75018f045a874c119eba 345 344 2023-06-08T11:56:27Z Nora2605 2 wikitext text/x-wiki {{Infobox unit |name = Meter |symbol = m |quantity = Length |dimension = L |system = International System of Units |derived_from = Prototype meter |base = Yes }} The '''meter''' (symbol: '''m''') is the fundamental unit of length in the International System of Units (SI). It is defined as the length of the path traveled by light in a vacuum during a time interval of 1/299,792,458 of a second. __TOC__ == History == The concept of the meter dates back to ancient times when various civilizations used different units for measuring length. The modern definition of the meter was established in the late 18th century. In 1791, the French Academy of Sciences proposed a new standard unit of length, which became known as the meter. Initially, the meter was defined as one ten-millionth of the distance from the North Pole to the equator along a meridian passing through Paris. However, the definition of the meter has undergone revisions to achieve more precise measurements. == Prototype Meter == To serve as a reference, the International Prototype of the Meter was created in 1889. It was a platinum-iridium bar kept at the International Bureau of Weights and Measures (BIPM) in France. This prototype was used to define the meter until 1960 when it was replaced by a more accurate definition based on the speed of light. == Current Definition == Since 1983, the meter has been defined based on the speed of light in a vacuum. The current definition states that the meter is the distance traveled by light in a vacuum in 1/299,792,458 of a second. This definition provides a highly precise and reproducible measurement of the meter. == Practical Use == The meter is widely used in various fields, including science, engineering, and everyday life. It provides a common unit of measurement for length and distance. In addition to its use in everyday applications, the meter is also used as a base unit for derived units such as the square meter (m²) for area and the cubic meter (m³) for volume. == Other Units of Length == While the meter is the primary unit of length in the SI system, there are other units of length used in different contexts. Some examples include the kilometer (km) for longer distances, the centimeter (cm) for smaller lengths, and the nanometer (nm) for measuring extremely small distances. == Conversion == The meter can be easily converted to other units of length using conversion factors. For example, 1 meter is equal to 0.001 kilometers, 100 centimeters, or 1,000 millimeters. == See Also == * [[w:International System of Units|SI Units (Wikipedia)]] * [[w:Length|Length (Wikipedia)]] d4b5da593b8e54ee3c862a67ec114c516f673e75 Kilogram (Unit) 0 171 346 2023-06-08T11:58:01Z Nora2605 2 Created page with "{{Infobox unit |name = Kilogram |symbol = kg |quantity = Mass |dimension = M |system = International System of Units |derived_from = Prototype kilogram |base = Yes }} The '''kilogram''' (symbol: '''kg''') is the fundamental unit of mass in the International System of Units (SI). It is defined as the mass of the International Prototype of the Kilogram, a platinum-iridium cylinder kept at the International Bureau of Weights and Measures (BIPM) in France. == History == Th..." wikitext text/x-wiki {{Infobox unit |name = Kilogram |symbol = kg |quantity = Mass |dimension = M |system = International System of Units |derived_from = Prototype kilogram |base = Yes }} The '''kilogram''' (symbol: '''kg''') is the fundamental unit of mass in the International System of Units (SI). It is defined as the mass of the International Prototype of the Kilogram, a platinum-iridium cylinder kept at the International Bureau of Weights and Measures (BIPM) in France. == History == The concept of the kilogram dates back to the late 18th century. In 1799, the French Academy of Sciences proposed a new standard unit of mass, which became known as the kilogram. Initially, the kilogram was defined as the mass of a cubic decimeter of water at its freezing point. However, this definition was later revised to provide a more precise and reproducible measurement. == Prototype Kilogram == To serve as a reference, the International Prototype of the Kilogram was created in 1889. It is a small cylinder made of platinum and iridium, and it is stored under controlled conditions at the BIPM. For many years, this prototype served as the primary definition of the kilogram. == Current Definition == In 2019, a new definition for the kilogram was adopted, based on fundamental constants of nature. The kilogram is now defined by fixing the numerical value of the Planck constant, h, to be exactly 6.62607015 × 10^−34 joule-seconds. This definition ensures the long-term stability and reproducibility of the kilogram, as it is no longer dependent on a physical artifact. == Practical Use == The kilogram is widely used in various fields, including science, industry, and commerce. It provides a common unit of measurement for mass and weight. In addition to its use in everyday applications, the kilogram is also used as a base unit for derived units such as the gram (g) for smaller masses and the tonne (t) for larger masses. == Other Units of Mass == While the kilogram is the primary unit of mass in the SI system, there are other units of mass used in different contexts. Some examples include the milligram (mg) for smaller masses and the metric ton (tonne) for larger masses. == Conversion == The kilogram can be easily converted to other units of mass using conversion factors. For example, 1 kilogram is equal to 1,000 grams, 0.001 metric tons, or 1,000,000 milligrams. == See Also == * [[w:International System of Units|SI Units (Wikipedia)]] * [[w:Mass|Mass (Wikipedia)]] 6540c7d390582496d5786799dd86e83727ae14c7 Year (Unit) 0 172 347 2023-06-08T12:00:47Z Nora2605 2 Created page with "{{Infobox unit |name = Year |symbol = yr |quantity = Time |dimension = T |system = Various calendar systems |derived_from = Earth's orbital period |base = No }} The '''year''' (symbol: '''yr''') is a unit of time that represents the orbital period of the Earth around the Sun. It is used to measure the passage of time and to establish chronological sequences of events. == Definition == The precise definition of a year depends on the calendar system being used. In the Gr..." wikitext text/x-wiki {{Infobox unit |name = Year |symbol = yr |quantity = Time |dimension = T |system = Various calendar systems |derived_from = Earth's orbital period |base = No }} The '''year''' (symbol: '''yr''') is a unit of time that represents the orbital period of the Earth around the Sun. It is used to measure the passage of time and to establish chronological sequences of events. == Definition == The precise definition of a year depends on the calendar system being used. In the Gregorian calendar, which is the most widely used calendar system today, a year consists of 365 days, except for leap years that have 366 days. A leap year occurs approximately every four years to account for the extra fraction of a day in Earth's orbital period. Other calendar systems, such as the Julian calendar and lunar calendars, have slightly different definitions of a year. == History == The concept of a year has been crucial to human civilizations since ancient times. Early societies observed the changing seasons and celestial movements to track the passage of time. Different cultures developed their own calendars and methods for defining a year based on astronomical observations and cultural practices. == Astronomical Year == From an astronomical perspective, a year represents the time it takes for the Earth to complete one orbit around the Sun. This period is known as a tropical year or a solar year. The duration of a tropical year is approximately 365.2422 days, or about 365 days, 5 hours, 48 minutes, and 46 seconds. == Calendar Systems == Various calendar systems have been developed to divide and organize the year into smaller units, such as months, weeks, and days. The most widely used calendar system today is the Gregorian calendar, which is a solar calendar based on the Earth's orbit around the Sun. Other calendar systems, such as the Islamic calendar, Hebrew calendar, and Chinese calendar, have different methods for defining and numbering years. == Leap Years == To account for the slight discrepancy between the tropical year and the calendar year, leap years are introduced in certain calendar systems. A leap year contains an additional day, known as a leap day, which is added to the month of February. This adjustment helps to keep the calendar year aligned with the Earth's orbital period. == Usage == The year is commonly used to denote historical events, personal milestones, and the measurement of age. It serves as a fundamental unit of time in various fields, including astronomy, history, and chronology. The year is often grouped into larger time periods, such as decades, centuries, and millennia, for longer-term analysis and reference. == Conversion == The year is not directly convertible to smaller units of time, as it represents a significant duration. However, it can be converted to other calendar systems or astronomical units of time using specific calculations based on the given definitions and conversions. == See Also == * [[w:Calendar|Calendar (Wikipedia)]] * [[w:Time|Time (Wikipedia)]] bd99f7ae3493dd1ad957c51031bbae10dfb5f8c8 Lümir Novya Nijimi 0 154 348 339 2023-06-08T12:20:32Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name={{PAGENAME}} |image=Lumir_Full.png |gender=Female |age=17 [[Calendar_(U1)|(423)]], 19 [[Year_(Unit)|(365)]] |birth_name=Lümir Novya Nijimi |birth_place=[[Voles]] |birth_date=17655-07-09 [[Calendar_(U1)|vH2]] |nationality=[[Vola-Hamerden|Vola Hamerda]] |other_names=* Lümi (nickname) * Ace of all seeing eye (reputation) |occupation=[[Global_Peace_Organization_(U1)|GPO]] Soldier/<spoiler>Officer</spoiler> |years_active=- |hometown=[[Reinmyer]] |height=1.914 [[Meter_(Unit)|m]] |weight=93 [[Kilogram_(Unit)|kg]] |hair=Dark Brown |eyes=* Left: Rainbow-colored * Right: Blue |bust_size=[[w:Bra_size#Europe_/_International|90C]] |sexual_orientation=Bisexual |romantic_orientation=Biromantic |parents=* [[Eskarlor Önsör]] * [[Temhami Önsör]] |biological_parents=* [[Siben Dreisig]] * [[Artimir Nijimi]] |siblings=[[Oruka Nijimi]] |close_friends=* [[Tek Dotnet]] * [[Rashi Klavae]] }} '''Lümir Novya Nijimi''' is the protagonist of the [[U1|AoasE]] series. She is a [[Navira#Heli|Heli-Navira]] born on [[Voles]] before the [[Navira War]]. She currently lives in Reinmyer with her [[Gay_Marriage|2 dads]], [[Eskarlor Önsör]] and [[Temhami Önsör]], and little sister [[Oruka Nijimi|Oruka Shiroi Arkas Nijimi]]. == Early Life == She was born as the daughter of [[Artimir Nijimi]] and [[Siben Dreisig]] during the time of peace inbetween the discovery of the Voles civilization and the Navira War. Being in one of the first waves of children between [[Navira]] and [[Havira]] she was raised bilingually in [[Getrish]] and [[Old High Gerfin]]. Until she was about 4 she lived inside the old city [[Khroma]] with her mother. Her father was unable to stay as long in Voles due to the Environment<ref>See [[Voles#Environment]]</ref> During the war, her dad was shot in front of her eyes and her mom disappeared. She was eventually found unconscious with her baby sister by rescue workers of the [[Global_Peace_Organization|GPO Precursor]] and was placed in an adoption center == Appearance == {{To do}} == Abilities and Attributes == === Physical strength === {| class="wikitable" ! Discipline !! 1RM |- | Squat (Top-Weight) || 4050 N |- | Deadlift || 5000 N |- | Benchpress || 2600 N |- | Barbell Curl || 1000 N |- | Wing carry || 3000 N |} == Trivia == * Lümir Novya Nijimi was the first OC of the Chronii Project * Her original name was Kurika * 329762b3c765152cf876e48a0c3b028992eb7257 360 348 2023-06-08T15:44:57Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name={{PAGENAME}} |image=Lumir_Full.png |gender=Female |age=17 [[Calendar_(U1)|(423)]], 19 [[Year_(Unit)|(365)]] |birth_name=Lümir Novya Nijimi |birth_place=[[Voles]] |birth_date=17655-07-09 [[Calendar_(U1)|vH2]] |nationality=[[Vola-Hamerden|Vola Hamerda]] |other_names=* Lümi (nickname) * Ace of all seeing eye (reputation) |occupation=[[Global_Peace_Organization_(U1)|GPO]] Soldier/<spoiler>Officer</spoiler> |years_active=- |hometown=[[Reinmyer]] |height=1.914 [[Meter_(Unit)|m]] |weight=93 [[Kilogram_(Unit)|kg]] |hair=Dark Brown |eyes=* Left: Rainbow-colored * Right: Blue |bust_size=[[w:Bra_size#Europe_/_International|90C]] |sexual_orientation=Bisexual |romantic_orientation=Biromantic |parents=* [[Eskarlor Önsör]] * [[Temhami Önsör]] |biological_parents=* [[Siben Dreisig]] * [[Artimir Nijimi]] |siblings=[[Oruka Nijimi]] |close_friends=* [[Tek Dotnet]] * [[Rashi Klavae]] }} '''Lümir Novya Nijimi''' is the protagonist of the [[U1|AoasE]] series. She is a [[Navira#Heli|Heli-Navira]] born on [[Voles]] before the [[Navira War]]. She currently lives in Reinmyer with her [[Gay_Marriage|2 dads]], [[Eskarlor Önsör]] and [[Temhami Önsör]], and little sister [[Oruka Nijimi|Oruka Shiroi Arkas Nijimi]]. == Early Life == She was born as the daughter of [[Artimir Nijimi]] and [[Siben Dreisig]] during the time of peace inbetween the discovery of the Voles civilization and the Navira War. Being in one of the first waves of children between [[Navira]] and [[Havira]] she was raised bilingually in [[Getrish]] and [[Old High Gerfin]]. Until she was about 4 she lived inside the old city [[Khroma]] with her mother. Her father was unable to stay as long in Voles due to the Environment<ref>See [[Voles#Environment]]</ref> During the war, her dad was shot in front of her eyes and her mom disappeared. She was eventually found unconscious with her baby sister by rescue workers of the [[Global_Peace_Organization|GPO Precursor]] and was placed in an adoption center. Eskarlor and Temhami Önsör adopted her and her little sister 1 year later, when Lümir was 5 years old. She was in the same Adoption center as [[Rashi Klavae]]. == Growing up == She grew up in Vola-Hamerden, in a mid-sized one-family home in the peripheral region of [[Reinmyer]], where she also went to school. == Appearance == Lümir has dark brown, wavy, thick, hip-long hair. Her eyes are heterochromatic, her left one being rainbow colored<sup>(See [[#Left eye]]</sup> == Abilities and Attributes == === Physical strength === {| class="wikitable" ! Discipline !! 1RM |- | Squat (Top-Weight) || 4050 N |- | Deadlift || 5000 N |- | Benchpress || 2600 N |- | Barbell Curl || 1000 N |- | Wing carry || 3000 N |} She is able to accelerate upwards flight with up to <math>500 \frac{m}{s^2}</math>, laterally her top speed is around 90 m/s in straight flight, 360 m/s diving, breaking the sound barrier. Magic-assisted her top speeds using air combustion are up to 2 km/s (Done inside a protective suit). === Physical abilities === ==== Left eye ==== [[File:Lümir_LE.png|thumb|300px|right|Diagram of the Functionality of the Eye]] Her Left eye has the ability to see a much wider range of the electromagnetic spectrum, reaching from about <math>10^0 m</math> to <math>10^{-14} m</math> in wavelength. Its pupil is hexagonal when the Rotary Iris is relaxed. The current visible spectrum is controllable by contracting or loosening the Iris. In the most contracted form, the only wavelengths passing through are in the visible green spectrum, while in the most loose state all wavelengths are able to pass through. The rainbow coloring of the iris is a side effect of the translucent pigments of the visible spectrum. The muscles around the eye behave the same way as they do in regular humans. There are bioluminescent rings inside the eye, that can glow up cosmetically. Sight happens on 2 seperate Epithels, one for the intensity and sharpness of the image and one for accurate wavelength deduction. The Epithel I has cells similar to human ''Neuroni bacillifera'', The Epithel II has much more sensitive versions of them. Inside the Lens in front of the Iris, colored light is duplicated and scattered according to wavelength. Sharp sight therefore depends on light intensity, making the [[#Right eye|Right eye]] responsible for rapid high contrast vision. The scattered light is mapped onto the radial axis of the second epithel. Using an equirectangular projection, the brain maps the very blurry color information onto light intensive spots in first Epithel. Though not as positionally accurate the spectrum information is very accurate in Wavelength dimension and its able to be differentiated with a difference of about <math>4\%</math> in wavelength. (That's the difference from orange (#ff9d00) to orange-red (#ff7700)) ==== Right eye ==== The right eye has a lens tunnel surrounded by muscle fiber, that can contract and loosen in a stable manner to enlarge details. It has a fairly large blindspot around the ''Nervus oculi''. Enlargement is about 40x maximum (this requires a lot of light from the point of attention). Vision on the eye is extremely sharp. The color reception works the same as for regular humans. ==== Transistorial Cortex ==== <sub>(Main Article: [[Transistorial Cortex]])</sub> For easier control of mutation features, Navira have developed a third cortex along their evolution. These are unconscious and will, in case of a high emergency fight or flight response, choose flight and lift pain and muscle limits to escape. During this time, memories are being recorded but the main cortex is unconscious. This is also the place where preprocessing for the eye data happens, The ''Nervus Oculi'' being much shorter than in humans. Due to the computational nature of this part of the brain, it is able to execute certain [[Magic_System_(U1)#3D_Aujeratio|3D AUjeratio]] Maneuvers, which would otherwise need a high visual understanding of 4D Space. === Magical Abilities === Lümir possesses basic [[Magic_System_(U1)|Aujeratio]] Skills in the element of Heat and Light, occasionaly Ice and Electricity. In case of [[#Transistorial Cortex|3rd Cortex Activation]] she also manages to do more complicated maneuvers. == Trivia == * Lümir Novya Nijimi was the first OC of the Chronii Project * Her original name was Kurika * aba1a3093e4e25fdaf6dd2445a56023890e5f0da 363 360 2023-06-08T18:49:30Z Nora2605 2 /* Appearance */ wikitext text/x-wiki {{Infobox person |name={{PAGENAME}} |image=Lumir_Full.png |gender=Female |age=17 [[Calendar_(U1)|(423)]], 19 [[Year_(Unit)|(365)]] |birth_name=Lümir Novya Nijimi |birth_place=[[Voles]] |birth_date=17655-07-09 [[Calendar_(U1)|vH2]] |nationality=[[Vola-Hamerden|Vola Hamerda]] |other_names=* Lümi (nickname) * Ace of all seeing eye (reputation) |occupation=[[Global_Peace_Organization_(U1)|GPO]] Soldier/<spoiler>Officer</spoiler> |years_active=- |hometown=[[Reinmyer]] |height=1.914 [[Meter_(Unit)|m]] |weight=93 [[Kilogram_(Unit)|kg]] |hair=Dark Brown |eyes=* Left: Rainbow-colored * Right: Blue |bust_size=[[w:Bra_size#Europe_/_International|90C]] |sexual_orientation=Bisexual |romantic_orientation=Biromantic |parents=* [[Eskarlor Önsör]] * [[Temhami Önsör]] |biological_parents=* [[Siben Dreisig]] * [[Artimir Nijimi]] |siblings=[[Oruka Nijimi]] |close_friends=* [[Tek Dotnet]] * [[Rashi Klavae]] }} '''Lümir Novya Nijimi''' is the protagonist of the [[U1|AoasE]] series. She is a [[Navira#Heli|Heli-Navira]] born on [[Voles]] before the [[Navira War]]. She currently lives in Reinmyer with her [[Gay_Marriage|2 dads]], [[Eskarlor Önsör]] and [[Temhami Önsör]], and little sister [[Oruka Nijimi|Oruka Shiroi Arkas Nijimi]]. == Early Life == She was born as the daughter of [[Artimir Nijimi]] and [[Siben Dreisig]] during the time of peace inbetween the discovery of the Voles civilization and the Navira War. Being in one of the first waves of children between [[Navira]] and [[Havira]] she was raised bilingually in [[Getrish]] and [[Old High Gerfin]]. Until she was about 4 she lived inside the old city [[Khroma]] with her mother. Her father was unable to stay as long in Voles due to the Environment<ref>See [[Voles#Environment]]</ref> During the war, her dad was shot in front of her eyes and her mom disappeared. She was eventually found unconscious with her baby sister by rescue workers of the [[Global_Peace_Organization|GPO Precursor]] and was placed in an adoption center. Eskarlor and Temhami Önsör adopted her and her little sister 1 year later, when Lümir was 5 years old. She was in the same Adoption center as [[Rashi Klavae]]. == Growing up == She grew up in Vola-Hamerden, in a mid-sized one-family home in the peripheral region of [[Reinmyer]], where she also went to school. == Appearance == [[File:Lümir Plain.png|300px|thumb|right|Sketch of Lümir]] Lümir has dark brown, wavy, thick, very long hair that reaches her thighs. Her eyes are heterochromatic, her left one being rainbow colored<sup>(See [[#Left eye|Left eye]])</sup> and right eye being dark blue. === Body measurements === She is 1.91 m tall. Her wings are 5 meters across fully stretched. She has an overall muscular build, a bust size of 90C (88.2/105cm), her arms are 1.89 m across, Femur-Ankle is 1.12 m. === Hairstyles === Because her preferred open style often gets in the way, she also often wears braids. She very often has a small braid on her left front-strand of hair. === Outfit === [[File:Lümir_outfit.jpeg|200px|thumb|right|Rough sketch of Lümirs signature outfit, Lumaha]] Her signature outfit consist of: * A zodiac blue top, with 2 white stripes on the shoulders, which is open on the sides and has 2 asymmetric arms, the left one being full and the right one being only to the elbow. * A dark blue tie with a white upside-down trident-like symbol on its bottom * a black miniskirt * 2 straps that hold down on the top * 2 socks, changing, usually thigh high * a black sports bra * black shorts * in cold months a scarf Usual outfits also contain * General white, blue, black or purple T-shirts and hoodies paired with a skirt of another of those colors * a black dress * a black hoodie/blue jeans combination == Abilities and Attributes == === Physical strength === {| class="wikitable" ! Discipline !! 1RM |- | Squat (Top-Weight) || 4050 N |- | Deadlift || 5000 N |- | Benchpress || 2600 N |- | Barbell Curl || 1000 N |- | Wing carry || 3000 N |} She is able to accelerate upwards flight with up to <math>500 \frac{m}{s^2}</math>, laterally her top speed is around 90 m/s in straight flight, 360 m/s diving, breaking the sound barrier. Magic-assisted her top speeds using air combustion are up to 2 km/s (Done inside a protective suit). === Physical abilities === ==== Left eye ==== [[File:Lümir_LE.png|thumb|300px|right|Diagram of the Functionality of the Eye]] Her Left eye has the ability to see a much wider range of the electromagnetic spectrum, reaching from about <math>10^0 m</math> to <math>10^{-14} m</math> in wavelength. Its pupil is hexagonal when the Rotary Iris is relaxed. The current visible spectrum is controllable by contracting or loosening the Iris. In the most contracted form, the only wavelengths passing through are in the visible green spectrum, while in the most loose state all wavelengths are able to pass through. The rainbow coloring of the iris is a side effect of the translucent pigments of the visible spectrum. The muscles around the eye behave the same way as they do in regular humans. There are bioluminescent rings inside the eye, that can glow up cosmetically. Sight happens on 2 seperate Epithels, one for the intensity and sharpness of the image and one for accurate wavelength deduction. The Epithel I has cells similar to human ''Neuroni bacillifera'', The Epithel II has much more sensitive versions of them. Inside the Lens in front of the Iris, colored light is duplicated and scattered according to wavelength. Sharp sight therefore depends on light intensity, making the [[#Right eye|Right eye]] responsible for rapid high contrast vision. The scattered light is mapped onto the radial axis of the second epithel. Using an equirectangular projection, the brain maps the very blurry color information onto light intensive spots in first Epithel. Though not as positionally accurate the spectrum information is very accurate in Wavelength dimension and its able to be differentiated with a difference of about <math>4\%</math> in wavelength. (That's the difference from orange (#ff9d00) to orange-red (#ff7700)) ==== Right eye ==== The right eye has a lens tunnel surrounded by muscle fiber, that can contract and loosen in a stable manner to enlarge details. It has a fairly large blindspot around the ''Nervus oculi''. Enlargement is about 40x maximum (this requires a lot of light from the point of attention). Vision on the eye is extremely sharp. The color reception works the same as for regular humans. ==== Transistorial Cortex ==== <sub>(Main Article: [[Transistorial Cortex]])</sub> For easier control of mutation features, Navira have developed a third cortex along their evolution. These are unconscious and will, in case of a high emergency fight or flight response, choose flight and lift pain and muscle limits to escape. During this time, memories are being recorded but the main cortex is unconscious. This is also the place where preprocessing for the eye data happens, The ''Nervus Oculi'' being much shorter than in humans. Due to the computational nature of this part of the brain, it is able to execute certain [[Magic_System_(U1)#3D_Aujeratio|3D AUjeratio]] Maneuvers, which would otherwise need a high visual understanding of 4D Space. === Magical Abilities === Lümir possesses basic [[Magic_System_(U1)|Aujeratio]] Skills in the element of Heat and Light, occasionaly Ice and Electricity. In case of [[#Transistorial Cortex|3rd Cortex Activation]] she also manages to do more complicated maneuvers. == Trivia == * Lümir Novya Nijimi was the first OC of the Chronii Project * Her original name was Kurika * 41182a4a19e9f70686bca746c605a27aca56f935 364 363 2023-06-08T18:50:53Z Nora2605 2 /* Appearance */ wikitext text/x-wiki {{Infobox person |name={{PAGENAME}} |image=Lumir_Full.png |gender=Female |age=17 [[Calendar_(U1)|(423)]], 19 [[Year_(Unit)|(365)]] |birth_name=Lümir Novya Nijimi |birth_place=[[Voles]] |birth_date=17655-07-09 [[Calendar_(U1)|vH2]] |nationality=[[Vola-Hamerden|Vola Hamerda]] |other_names=* Lümi (nickname) * Ace of all seeing eye (reputation) |occupation=[[Global_Peace_Organization_(U1)|GPO]] Soldier/<spoiler>Officer</spoiler> |years_active=- |hometown=[[Reinmyer]] |height=1.914 [[Meter_(Unit)|m]] |weight=93 [[Kilogram_(Unit)|kg]] |hair=Dark Brown |eyes=* Left: Rainbow-colored * Right: Blue |bust_size=[[w:Bra_size#Europe_/_International|90C]] |sexual_orientation=Bisexual |romantic_orientation=Biromantic |parents=* [[Eskarlor Önsör]] * [[Temhami Önsör]] |biological_parents=* [[Siben Dreisig]] * [[Artimir Nijimi]] |siblings=[[Oruka Nijimi]] |close_friends=* [[Tek Dotnet]] * [[Rashi Klavae]] }} '''Lümir Novya Nijimi''' is the protagonist of the [[U1|AoasE]] series. She is a [[Navira#Heli|Heli-Navira]] born on [[Voles]] before the [[Navira War]]. She currently lives in Reinmyer with her [[Gay_Marriage|2 dads]], [[Eskarlor Önsör]] and [[Temhami Önsör]], and little sister [[Oruka Nijimi|Oruka Shiroi Arkas Nijimi]]. == Early Life == She was born as the daughter of [[Artimir Nijimi]] and [[Siben Dreisig]] during the time of peace inbetween the discovery of the Voles civilization and the Navira War. Being in one of the first waves of children between [[Navira]] and [[Havira]] she was raised bilingually in [[Getrish]] and [[Old High Gerfin]]. Until she was about 4 she lived inside the old city [[Khroma]] with her mother. Her father was unable to stay as long in Voles due to the Environment<ref>See [[Voles#Environment]]</ref> During the war, her dad was shot in front of her eyes and her mom disappeared. She was eventually found unconscious with her baby sister by rescue workers of the [[Global_Peace_Organization|GPO Precursor]] and was placed in an adoption center. Eskarlor and Temhami Önsör adopted her and her little sister 1 year later, when Lümir was 5 years old. She was in the same Adoption center as [[Rashi Klavae]]. == Growing up == She grew up in Vola-Hamerden, in a mid-sized one-family home in the peripheral region of [[Reinmyer]], where she also went to school. == Appearance == [[File:Lümir Plain.png|300px|thumb|left|Sketch of Lümir]] Lümir has dark brown, wavy, thick, very long hair that reaches her thighs. Her eyes are heterochromatic, her left one being rainbow colored<sup>(See [[#Left eye|Left eye]])</sup> and right eye being dark blue. === Body measurements === She is 1.91 m tall. Her wings are 5 meters across fully stretched. She has an overall muscular build, a bust size of 90C (88.2/105cm), her arms are 1.89 m across, Femur-Ankle is 1.12 m. === Hairstyles === Because her preferred open style often gets in the way, she also often wears braids. She very often has a small braid on her left front-strand of hair. === Outfit === [[File:Lümir_outfit.jpg|200px|thumb|left|Rough sketch of Lümirs signature outfit, Lumaha]] Her signature outfit consist of: * A zodiac blue top, with 2 white stripes on the shoulders, which is open on the sides and has 2 asymmetric arms, the left one being full and the right one being only to the elbow. * A dark blue tie with a white upside-down trident-like symbol on its bottom * a black miniskirt * 2 straps that hold down on the top * 2 socks, changing, usually thigh high * a black sports bra * black shorts * in cold months a scarf Usual outfits also contain * General white, blue, black or purple T-shirts and hoodies paired with a skirt of another of those colors * a black dress * a black hoodie/blue jeans combination == Abilities and Attributes == === Physical strength === {| class="wikitable" ! Discipline !! 1RM |- | Squat (Top-Weight) || 4050 N |- | Deadlift || 5000 N |- | Benchpress || 2600 N |- | Barbell Curl || 1000 N |- | Wing carry || 3000 N |} She is able to accelerate upwards flight with up to <math>500 \frac{m}{s^2}</math>, laterally her top speed is around 90 m/s in straight flight, 360 m/s diving, breaking the sound barrier. Magic-assisted her top speeds using air combustion are up to 2 km/s (Done inside a protective suit). === Physical abilities === ==== Left eye ==== [[File:Lümir_LE.png|thumb|300px|right|Diagram of the Functionality of the Eye]] Her Left eye has the ability to see a much wider range of the electromagnetic spectrum, reaching from about <math>10^0 m</math> to <math>10^{-14} m</math> in wavelength. Its pupil is hexagonal when the Rotary Iris is relaxed. The current visible spectrum is controllable by contracting or loosening the Iris. In the most contracted form, the only wavelengths passing through are in the visible green spectrum, while in the most loose state all wavelengths are able to pass through. The rainbow coloring of the iris is a side effect of the translucent pigments of the visible spectrum. The muscles around the eye behave the same way as they do in regular humans. There are bioluminescent rings inside the eye, that can glow up cosmetically. Sight happens on 2 seperate Epithels, one for the intensity and sharpness of the image and one for accurate wavelength deduction. The Epithel I has cells similar to human ''Neuroni bacillifera'', The Epithel II has much more sensitive versions of them. Inside the Lens in front of the Iris, colored light is duplicated and scattered according to wavelength. Sharp sight therefore depends on light intensity, making the [[#Right eye|Right eye]] responsible for rapid high contrast vision. The scattered light is mapped onto the radial axis of the second epithel. Using an equirectangular projection, the brain maps the very blurry color information onto light intensive spots in first Epithel. Though not as positionally accurate the spectrum information is very accurate in Wavelength dimension and its able to be differentiated with a difference of about <math>4\%</math> in wavelength. (That's the difference from orange (#ff9d00) to orange-red (#ff7700)) ==== Right eye ==== The right eye has a lens tunnel surrounded by muscle fiber, that can contract and loosen in a stable manner to enlarge details. It has a fairly large blindspot around the ''Nervus oculi''. Enlargement is about 40x maximum (this requires a lot of light from the point of attention). Vision on the eye is extremely sharp. The color reception works the same as for regular humans. ==== Transistorial Cortex ==== <sub>(Main Article: [[Transistorial Cortex]])</sub> For easier control of mutation features, Navira have developed a third cortex along their evolution. These are unconscious and will, in case of a high emergency fight or flight response, choose flight and lift pain and muscle limits to escape. During this time, memories are being recorded but the main cortex is unconscious. This is also the place where preprocessing for the eye data happens, The ''Nervus Oculi'' being much shorter than in humans. Due to the computational nature of this part of the brain, it is able to execute certain [[Magic_System_(U1)#3D_Aujeratio|3D AUjeratio]] Maneuvers, which would otherwise need a high visual understanding of 4D Space. === Magical Abilities === Lümir possesses basic [[Magic_System_(U1)|Aujeratio]] Skills in the element of Heat and Light, occasionaly Ice and Electricity. In case of [[#Transistorial Cortex|3rd Cortex Activation]] she also manages to do more complicated maneuvers. == Trivia == * Lümir Novya Nijimi was the first OC of the Chronii Project * Her original name was Kurika * 27a86703d0f8472ef4ec170489ba2759f84a6703 372 364 2023-06-13T20:20:44Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name={{PAGENAME}} |image=Lumir_Full.png |gender=Female |age=17 [[Calendar_(U1)|(423)]], 19 [[Year_(Unit)|(365)]] |birth_name=Lümir Novya Nijimi |birth_place=[[Voles]] |birth_date=17655-07-09 [[Calendar_(U1)|vH2]] |nationality=[[Vola-Hamerden|Vola Hamerda]] |other_names=* Lümi (nickname) * Ace of all seeing eye (reputation) |occupation=[[Global_Peace_Organization_(U1)|GPO]] Soldier/<spoiler>Officer</spoiler> |years_active=- |hometown=[[Reinmyer]] |height=1.914 [[Meter_(Unit)|m]] |weight=93 [[Kilogram_(Unit)|kg]] |hair=Dark Brown |eyes=* Left: Rainbow-colored * Right: Blue |bust_size=[[w:Bra_size#Europe_/_International|90C]] |sexual_orientation=Bisexual |romantic_orientation=Biromantic |parents=* [[Eskarlor Önsör]] * [[Temhami Önsör]] |biological_parents=* [[Siben Dreisig]] * [[Artimir Nijimi]] |siblings=[[Oruka Nijimi]] |close_friends=* [[Tek Dotnet]] * [[Rashi Klavae]] }} '''Lümir Novya Nijimi''' is the protagonist of the [[U1|AoasE]] series. She is a [[Navira#Heli|Heli-Navira]] born on [[Voles]] before the [[Navira War]]. She currently lives in Reinmyer with her [[Gay_Marriage|2 dads]], [[Eskarlor Önsör]] and [[Temhami Önsör]], and little sister [[Oruka Nijimi|Oruka Shiroi Arkas Nijimi]]. == Early Life == She was born as the daughter of [[Artimir Nijimi]] and [[Siben Dreisig]] during the time of peace inbetween the discovery of the Voles civilization and the Navira War. Being in one of the first waves of children between [[Navira]] and [[Havira]] she was raised bilingually in [[Getrish]] and [[Old High Gerfin]]. Until she was about 4 she lived inside the old city [[Khroma]] with her mother. Her father was unable to stay as long in Voles due to the Environment<ref>See [[Voles#Environment]]</ref> During the war, her dad was shot in front of her eyes and her mom disappeared. She was eventually found unconscious with her baby sister by rescue workers of the [[Global_Peace_Organization|GPO Precursor]] and was placed in an adoption center. Eskarlor and Temhami Önsör adopted her and her little sister 1 year later, when Lümir was 5 years old. She was in the same Adoption center as [[Rashi Klavae]]. == Growing up == She grew up in Vola-Hamerden, in a mid-sized one-family home in the peripheral region of [[Reinmyer]], where she also went to school. == Appearance == [[File:Lümir Plain.png|300px|thumb|left|Sketch of Lümir]] Lümir has dark brown, wavy, thick, very long hair that reaches her thighs. Her eyes are heterochromatic, her left one being rainbow colored<sup>(See [[#Left eye|Left eye]])</sup> and right eye being dark blue. === Body measurements === She is 1.91 m tall. Her wings are 5 meters across fully stretched. She has an overall muscular build, a bust size of 90C (88.2/105cm), her arms are 1.89 m across, Femur-Ankle is 1.12 m. === Hairstyles === Because her preferred open style often gets in the way, she also often wears braids. She very often has a small braid on her left front-strand of hair. === Outfit === [[File:Lümir_outfit.jpg|200px|thumb|left|Rough sketch of Lümirs signature outfit, Lumaha]] Her signature outfit consist of: * A zodiac blue top, with 2 white stripes on the shoulders, which is open on the sides and has 2 asymmetric arms, the left one being full and the right one being only to the elbow. * A dark blue tie with a white upside-down trident-like symbol on its bottom * a black miniskirt * 2 straps that hold down on the top * 2 socks, changing, usually thigh high * a black sports bra * black shorts * in cold months a scarf Usual outfits also contain * General white, blue, black or purple T-shirts and hoodies paired with a skirt of another of those colors * a black dress * a black hoodie/blue jeans combination == Abilities and Attributes == === Physical strength === {| class="wikitable" ! Discipline !! 1RM |- | Squat (Top-Weight) || 4050 N |- | Deadlift || 5000 N |- | Benchpress || 2600 N |- | Barbell Curl || 1000 N |- | Wing carry || 3000 N |} She is able to accelerate upwards flight with up to <math>500 \frac{m}{s^2}</math>, laterally her top speed is around 90 m/s in straight flight, 360 m/s diving, breaking the sound barrier. Magic-assisted her top speeds using air combustion are up to 2 km/s (Done inside a protective suit). === Physical abilities === ==== Left eye ==== [[File:Lümir_LE.png|thumb|300px|right|Diagram of the Functionality of the Eye]] Her Left eye has the ability to see a much wider range of the electromagnetic spectrum, reaching from about <math>10^0 m</math> to <math>10^{-14} m</math> in wavelength. Its pupil is hexagonal when the Rotary Iris is relaxed. The current visible spectrum is controllable by contracting or loosening the Iris. In the most contracted form, the only wavelengths passing through are in the visible green spectrum, while in the most loose state all wavelengths are able to pass through. The rainbow coloring of the iris is a side effect of the translucent pigments of the visible spectrum. The muscles around the eye behave the same way as they do in regular humans. There are bioluminescent rings inside the eye, that can glow up cosmetically. Sight happens on 2 seperate Epithels, one for the intensity and sharpness of the image and one for accurate wavelength deduction. The Epithel I has cells similar to human ''Neuroni bacillifera'', The Epithel II has much more sensitive versions of them. Inside the Lens in front of the Iris, colored light is duplicated and scattered according to wavelength. Sharp sight therefore depends on light intensity, making the [[#Right eye|Right eye]] responsible for rapid high contrast vision. The scattered light is mapped onto the radial axis of the second epithel. Using an equirectangular projection, the brain maps the very blurry color information onto light intensive spots in first Epithel. Though not as positionally accurate the spectrum information is very accurate in Wavelength dimension and its able to be differentiated with a difference of about <math>4\%</math> in wavelength. (That's the difference from orange (#ff9d00) to orange-red (#ff7700)) ==== Right eye ==== The right eye has a lens tunnel surrounded by muscle fiber, that can contract and loosen in a stable manner to enlarge details. It has a fairly large blindspot around the ''Nervus oculi''. Enlargement is about 40x maximum (this requires a lot of light from the point of attention). Vision on the eye is extremely sharp. The color reception works the same as for regular humans. ==== Transistorial Cortex ==== <sub>(Main Article: [[Transistorial Cortex]])</sub> For easier control of mutation features, Navira have developed a third cortex along their evolution. These are unconscious and will, in case of a high emergency fight or flight response, choose flight and lift pain and muscle limits to escape. During this time, memories are being recorded but the main cortex is unconscious. This is also the place where preprocessing for the eye data happens, The ''Nervus Oculi'' being much shorter than in humans. Due to the computational nature of this part of the brain, it is able to execute certain [[Magic_System_(U1)#3D_Aujeratio|3D AUjeratio]] Maneuvers, which would otherwise need a high visual understanding of 4D Space. === Magical Abilities === Lümir possesses basic [[Magic_System_(U1)|Aujeratio]] Skills in the element of Heat and Light, occasionaly Ice and Electricity. In case of [[#Transistorial Cortex|3rd Cortex Activation]] she also manages to do more complicated maneuvers. == Trivia == * Lümir Novya Nijimi was the first OC of the Chronii Project * Her original name was Kurika * [[Category:U1]] [[Category:Navira]] {{#seo:|image=Lumir_Full.png}} 4d32321ef75b58970adf1ed1777c4098d690a1c6 382 372 2023-06-14T06:47:32Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name={{PAGENAME}} |image=Lumir_Full.png |gender=Female |age=17 [[Calendar_(U1)|(423)]], 19 [[Year_(Unit)|(365)]] |birth_name=Lümir Novya Nijimi |birth_place=[[Voles]] |birth_date=17655-07-09 [[Calendar_(U1)|vH2]] |nationality=[[Vola-Hamerden|Vola Hamerda]] |other_names=* Lümi (nickname) * Ace of all seeing eye (reputation) |occupation=[[Global_Peace_Organization_(U1)|GPO]] Soldier/<spoiler>Officer</spoiler> |years_active=- |hometown=[[Reinmyer]] |height=1.914 [[Meter_(Unit)|m]] |weight=93 [[Kilogram_(Unit)|kg]] |hair=Dark Brown |eyes=* Left: Rainbow-colored * Right: Blue |bust_size=[[w:Bra_size#Europe_/_International|90C]] |sexual_orientation=Bisexual |romantic_orientation=Biromantic |parents=* [[Eskarlor Önsör]] * [[Temhami Önsör]] |biological_parents=* [[Siben Dreisig]] * [[Artimir Nijimi]] |siblings=[[Oruka Nijimi]] |close_friends=* [[Tek Dotnet]] * [[Rashi Klavae]] }} '''Lümir Novya Nijimi''' is the protagonist of the [[U1|AoasE]] series. She is a [[Navira#Heli|Heli-Navira]] born on [[Voles]] before the [[Navira War]]. She currently lives in Reinmyer with her [[Gay_Marriage|2 dads]], [[Eskarlor Önsör]] and [[Temhami Önsör]], and little sister [[Oruka Nijimi|Oruka Shiroi Arkas Nijimi]]. == Early Life == She was born as the daughter of [[Artimir Nijimi]] and [[Siben Dreisig]] during the time of peace inbetween the discovery of the Voles civilization and the Navira War. Being in one of the first waves of children between [[Navira]] and [[Havira]] she was raised bilingually in [[Getrish]] and [[Old High Gerfin]]. Until she was about 4 she lived inside the old city [[Khroma]] with her mother. Her father was unable to stay as long in Voles due to the Environment<ref>See [[Voles#Environment]]</ref> During the war, her dad was shot in front of her eyes and her mom disappeared. She was eventually found unconscious with her baby sister by rescue workers of the [[Global_Peace_Organization|GPO Precursor]] and was placed in an adoption center. Eskarlor and Temhami Önsör adopted her and her little sister 1 year later, when Lümir was 5 years old. She was in the same Adoption center as [[Rashi Klavae]]. == Growing up == She grew up in Vola-Hamerden, in a mid-sized one-family home in the peripheral region of [[Reinmyer]], where she also went to school. == Appearance == [[File:Lümir Plain.png|300px|thumb|left|Sketch of Lümir]] Lümir has dark brown, wavy, thick, very long hair that reaches her thighs. Her eyes are heterochromatic, her left one being rainbow colored<sup>(See [[#Left eye|Left eye]])</sup> and right eye being dark blue. === Body measurements === She is 1.91 m tall. Her wings are 5 meters across fully stretched. She has an overall muscular build, a bust size of 90C (88.2/105cm), her arms are 1.89 m across, Femur-Ankle is 1.12 m. === Hairstyles === Because her preferred open style often gets in the way, she also often wears braids. She very often has a small braid on her left front-strand of hair. === Outfit === [[File:Lümir_outfit.jpg|200px|thumb|left|Rough sketch of Lümirs signature outfit, Lumaha]] Her signature outfit consist of: * A zodiac blue top, with 2 white stripes on the shoulders, which is open on the sides and has 2 asymmetric arms, the left one being full and the right one being only to the elbow. * A dark blue tie with a white upside-down trident-like symbol on its bottom * a black miniskirt * 2 straps that hold down on the top * 2 socks, changing, usually thigh high * a black sports bra * black shorts * in cold months a scarf Usual outfits also contain * General white, blue, black or purple T-shirts and hoodies paired with a skirt of another of those colors * a black dress * a black hoodie/blue jeans combination == Abilities and Attributes == === Physical strength === {| class="wikitable" ! Discipline !! 1RM |- | Squat (Top-Weight) || 4050 N |- | Deadlift || 5000 N |- | Benchpress || 2600 N |- | Barbell Curl || 1000 N |- | Wing carry || 3000 N |} She is able to accelerate upwards flight with up to <math>500 \frac{m}{s^2}</math>, laterally her top speed is around 90 m/s in straight flight, 360 m/s diving, breaking the sound barrier. Magic-assisted her top speeds using air combustion are up to 2 km/s (Done inside a protective suit). === Physical abilities === ==== Left eye ==== [[File:Lümir_LE.png|thumb|300px|right|Diagram of the Functionality of the Eye]] Her Left eye has the ability to see a much wider range of the electromagnetic spectrum, reaching from about <math>10^0 m</math> to <math>10^{-14} m</math> in wavelength. Its pupil is hexagonal when the Rotary Iris is relaxed. The current visible spectrum is controllable by contracting or loosening the Iris. In the most contracted form, the only wavelengths passing through are in the visible green spectrum, while in the most loose state all wavelengths are able to pass through. The rainbow coloring of the iris is a side effect of the translucent pigments of the visible spectrum. The muscles around the eye behave the same way as they do in regular humans. There are bioluminescent rings inside the eye, that can glow up cosmetically. Sight happens on 2 seperate Epithels, one for the intensity and sharpness of the image and one for accurate wavelength deduction. The Epithel I has cells similar to human ''Neuroni bacillifera'', The Epithel II has much more sensitive versions of them. Inside the Lens in front of the Iris, colored light is duplicated and scattered according to wavelength. Sharp sight therefore depends on light intensity, making the [[#Right eye|Right eye]] responsible for rapid high contrast vision. The scattered light is mapped onto the radial axis of the second epithel. Using an equirectangular projection, the brain maps the very blurry color information onto light intensive spots in first Epithel. Though not as positionally accurate the spectrum information is very accurate in Wavelength dimension and its able to be differentiated with a difference of about <math>4\%</math> in wavelength. (That's the difference from orange (#ff9d00) to orange-red (#ff7700)) ==== Right eye ==== The right eye has a lens tunnel surrounded by muscle fiber, that can contract and loosen in a stable manner to enlarge details. It has a fairly large blindspot around the ''Nervus oculi''. Enlargement is about 40x maximum (this requires a lot of light from the point of attention). Vision on the eye is extremely sharp. The color reception works the same as for regular humans. ==== Transistorial Cortex ==== <sub>(Main Article: [[Transistorial Cortex]])</sub> For easier control of mutation features, Navira have developed a third cortex along their evolution. These are unconscious and will, in case of a high emergency fight or flight response, choose flight and lift pain and muscle limits to escape. During this time, memories are being recorded but the main cortex is unconscious. This is also the place where preprocessing for the eye data happens, The ''Nervus Oculi'' being much shorter than in humans. Due to the computational nature of this part of the brain, it is able to execute certain [[Magic_System_(U1)#3D_Aujeratio|3D AUjeratio]] Maneuvers, which would otherwise need a high visual understanding of 4D Space. === Magical Abilities === Lümir possesses basic [[Magic_System_(U1)|Aujeratio]] Skills in the element of Heat and Light, occasionaly Ice and Electricity. In case of [[#Transistorial Cortex|3rd Cortex Activation]] she also manages to do more complicated maneuvers. == Trivia == * Lümir Novya Nijimi was the first OC of the Chronii Project * Her original name was Kurika * [[Category:U1]] [[Category:Navira]] [[Category:Character]] {{#seo:|image=Lumir_Full.png}} d6ff97dc35bc14ad9b31ef64e1df7939d04f9257 Gay Marriage 0 173 349 2023-06-08T12:21:37Z Nora2605 2 Created page with "'''Same-sex marriage''' is the legal and social recognition of marriage between two individuals of the same sex. It is a significant topic within the broader discussion of [[LGBT rights]] and has been a subject of debate and activism worldwide. == History == The concept of same-sex marriage dates back to ancient civilizations, with evidence of same-sex unions found in various cultures throughout history. However, legal recognition and acceptance of same-sex marriage hav..." wikitext text/x-wiki '''Same-sex marriage''' is the legal and social recognition of marriage between two individuals of the same sex. It is a significant topic within the broader discussion of [[LGBT rights]] and has been a subject of debate and activism worldwide. == History == The concept of same-sex marriage dates back to ancient civilizations, with evidence of same-sex unions found in various cultures throughout history. However, legal recognition and acceptance of same-sex marriage have varied widely across time and societies. === Modern Developments === The modern movement for same-sex marriage began gaining momentum in the late 20th century. The Netherlands became the first country to legalize same-sex marriage in 2001, followed by several other countries and jurisdictions. The recognition of same-sex marriage has increased steadily over the years, with more nations adopting inclusive laws and policies. == Legal Status == The legal status of same-sex marriage varies from country to country and even within regions of the same country. While many countries have legalized same-sex marriage, others prohibit it or provide alternative legal recognition, such as civil partnerships or domestic partnerships. Some countries are still actively debating or considering legislation on the matter. === Adoption and Recognition === In jurisdictions where same-sex marriage is legal, couples can enjoy the same legal rights and benefits as opposite-sex married couples. These rights often include the ability to adopt children, access spousal benefits, make medical decisions for a partner, and enjoy tax advantages, among others. However, the level of recognition and specific rights can differ between countries and may continue to evolve. == Public Opinion == Public opinion regarding same-sex marriage has experienced significant shifts in recent years. Attitudes have become more accepting in many parts of the world, with increasing support for legal recognition and equal rights for same-sex couples. However, there are still areas where conservative views or cultural and religious beliefs contribute to opposition or skepticism. == Criticisms and Controversies == Same-sex marriage remains a controversial topic in various regions due to religious, cultural, or social reasons. Opponents of same-sex marriage often cite religious beliefs, traditional definitions of marriage, or concerns about societal change. Debates surrounding same-sex marriage have prompted discussions about religious freedom, individual rights, and the role of the state in defining and regulating marriage. == Impact == The legalization of same-sex marriage has had significant societal and legal impacts. It has provided same-sex couples with legal recognition, protections, and rights previously denied to them. Additionally, same-sex marriage has contributed to greater visibility and acceptance of the LGBT community, challenging stereotypes and promoting equality. == International Perspectives == The legal status and acceptance of same-sex marriage vary globally. While many countries recognize and legalize same-sex marriage, others criminalize same-sex relationships or have limited legal protections. International organizations, such as the United Nations, have advocated for the decriminalization of same-sex relationships and the protection of LGBT rights worldwide. 619f472ab1d0b755be2619c6058bd3728b679333 Homosexual Marriage 0 174 350 2023-06-08T12:22:14Z Nora2605 2 Redirected page to [[Gay Marriage]] wikitext text/x-wiki #REDIRECT [[Gay Marriage]] ec5dca04fee02eff1a22ccc47c3a38127dccb017 Same-sex Marriage 0 175 351 2023-06-08T12:22:14Z Nora2605 2 Redirected page to [[Gay Marriage]] wikitext text/x-wiki #REDIRECT [[Gay Marriage]] ec5dca04fee02eff1a22ccc47c3a38127dccb017 Lümir 0 176 352 2023-06-08T12:22:52Z Nora2605 2 Redirected page to [[Lümir Novya Nijimi]] wikitext text/x-wiki #REDIRECT [[Lümir Novya Nijimi]] 4c6a5399e35cdb255a70d78ef5244d499af74245 Lümir Nijimi 0 177 353 2023-06-08T12:22:52Z Nora2605 2 Redirected page to [[Lümir Novya Nijimi]] wikitext text/x-wiki #REDIRECT [[Lümir Novya Nijimi]] 4c6a5399e35cdb255a70d78ef5244d499af74245 Luemir Nijimi 0 178 354 2023-06-08T12:22:52Z Nora2605 2 Redirected page to [[Lümir Novya Nijimi]] wikitext text/x-wiki #REDIRECT [[Lümir Novya Nijimi]] 4c6a5399e35cdb255a70d78ef5244d499af74245 File:VH on Map.png 6 179 355 2023-06-08T13:39:41Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Flag VH.png 6 180 356 2023-06-08T13:40:40Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Template:Infobox country 10 181 357 2023-06-08T13:40:52Z Nora2605 2 Created page with "<infobox> <title source="conventional_long_name"><default>{{PAGENAME}}</default></title> <image source="image_map" /> <data source="native_name"> <label>Native Name</label> </data> <data source="common_name"> <label>Common Name</label> </data> <image source="image_flag"> <alt source="alt_flag" /> <caption><default>Flag</default></caption> </image> <image source="image_coat"> <caption><default>Coat of Arms</default></caption> <alt..." wikitext text/x-wiki <infobox> <title source="conventional_long_name"><default>{{PAGENAME}}</default></title> <image source="image_map" /> <data source="native_name"> <label>Native Name</label> </data> <data source="common_name"> <label>Common Name</label> </data> <image source="image_flag"> <alt source="alt_flag" /> <caption><default>Flag</default></caption> </image> <image source="image_coat"> <caption><default>Coat of Arms</default></caption> <alt source="alt_coat" /> </image> <data source="national_anthem"> <label>National Anthem</label> </data> <data source="motto"> <label>Motto</label> </data> <data source="map_caption"> <label>Map Caption</label> </data> <data source="capital"> <label>Capital</label> </data> <data source="largest_city"> <label>Largest City</label> </data> <data source="official_languages"> <label>Official Languages</label> </data> <data source="ethnic_groups"> <label>Ethnic Groups</label> </data> <data source="government_type"> <label>Government Type</label> </data> <data source="leader_title1"> <label>Leader Title 1</label> </data> <data source="leader_name1"> <label>Leader Name 1</label> </data> <data source="leader_title2"> <label>Leader Title 2</label> </data> <data source="leader_name2"> <label>Leader Name 2</label> </data> <data source="leader_title3"> <label>Leader Title 3</label> </data> <data source="leader_name3"> <label>Leader Name 3</label> </data> <data source="legislature"> <label>Legislature</label> </data> <data source="sovereignty_type"> <label>Sovereignty Type</label> </data> <data source="established_event1"> <label>Established Event 1</label> </data> <data source="established_date1"> <label>Established Date 1</label> </data> <data source="area_km2"> <label>Area (km²)</label> </data> <data source="population_estimate"> <label>Population Estimate</label> </data> <data source="population_estimate_year"> <label>Population Estimate Year</label> </data> <data source="population_density_km2"> <label>Population Density (km²)</label> </data> <data source="GDP_PPP"> <label>GDP (PPP)</label> </data> <data source="GDP_PPP_year"> <label>GDP (PPP) Year</label> </data> <data source="GDP_PPP_per_capita"> <label>GDP (PPP) per capita</label> </data> <data source="Gini"> <label>Gini Index</label> </data> <data source="Gini_year"> <label>Gini Index Year</label> </data> <data source="HDI"> <label>HDI (Human Development Index)</label> </data> <data source="HDI_year"> <label>HDI Year</label> </data> <data source="currency"> <label>Currency</label> </data> <data source="currency_code"> <label>Currency Code</label> </data> <data source="time_zone"> <label>Time Zone</label> </data> <data source="date_format"> <label>Date Format</label> </data> <data source="drives_on"> <label>Drives On</label> </data> <data source="calling_code"> <label>Calling Code</label> </data> <data source="iso3166code"> <label>ISO 3166 Code</label> </data> <data source="cctld"> <label>CcTLD</label> </data> </infobox> 33d8132231d4ceeea35ba0cf642a714de3ed8a09 Vola-Hamerden 0 182 358 2023-06-08T13:48:34Z Nora2605 2 Created page with "{{Infobox country | conventional_long_name = Vola-Hamerden | image_map = VH_on_Map.png | native_name = Vola-Hamerden | common_name = Vola-Hamerden | image_flag = Flag_VH.png | alt_flag = Flag of Vola-Hamerden | image_coat = | alt_coat = | national_anthem = | motto = Progress for all, Equality in Unity | map_caption = | capital = [[Hanabi]] | largest_city = [[Reinmyer]] | official_languages = [[Getrish]] | ethnic_groups = | government_type = Constitution of Vola-Ha..." wikitext text/x-wiki {{Infobox country | conventional_long_name = Vola-Hamerden | image_map = VH_on_Map.png | native_name = Vola-Hamerden | common_name = Vola-Hamerden | image_flag = Flag_VH.png | alt_flag = Flag of Vola-Hamerden | image_coat = | alt_coat = | national_anthem = | motto = Progress for all, Equality in Unity | map_caption = | capital = [[Hanabi]] | largest_city = [[Reinmyer]] | official_languages = [[Getrish]] | ethnic_groups = | government_type = [[Constitution of Vola-Hamerden|Scientific Parliamental Monarchy]] | leader_title1 = Queen | leader_name1 = [[Djorji Fira]] | leader_title2 = | leader_name2 = | leader_title3 = | leader_name3 = | legislature = | sovereignty_type = | established_event1 = | established_date1 = | area_km2 = 3564820 km² | population_estimate = 152,040,225 | population_estimate_year = | population_density_km2 = 42.65 | GDP_PPP = | GDP_PPP_year = | GDP_PPP_per_capita = | Gini = 0.18 | Gini_year = | HDI = 0.98 | HDI_year = | currency = [[Fhyane]] | currency_code = FÇ | time_zone = [[Loctum|LCT]]-9:00 | date_format = YYYYY-MM-DD <ref>[[Calendar_(U1)]]</ref> | calling_code = 47 | iso3166code = VH | cctld = vh/ <ref>[[Internet_(U1)]]</ref> }} '''Vola-Hamerden''' is a country of [[H34]] located on [[Hamerden]]. It is known for its unique culture and government, Skandinavian-like landscapes and Technology. == Etymology == The name "Vola-Hamerden" originates from the annected country [[Vola-Hamerden#Vola|Vola]] and the continent [[Hamerden]]. == Geography == == History == == Government and Politics == <sub>(Main Article: [[Constitution of Vola-Hamerden]])</sub> === States === ==== Vola ==== == Economy == == Demographics == == Culture == == Tourism == [[Category:Countries]] [[Category:U1]] 67fb4776fcabb6089c5ded16718ca450a7deac77 File:Lümir LE.png 6 183 359 2023-06-08T14:55:09Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Lümir Plain.png 6 184 361 2023-06-08T18:24:13Z Nora2605 2 wikitext text/x-wiki White Sketch of Lümirs appearance 09f5b9cea11cba37eae7cf71f1eab5976a096d41 File:Lümir outfit.jpg 6 185 362 2023-06-08T18:49:02Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:U1Logo.svg 6 186 365 2023-06-13T16:33:16Z Nora2605 2 wikitext text/x-wiki Logo of AoasE f9dbddcb4c32a789c18db69c806035e6fd432f28 File:U2Logo.svg 6 187 366 2023-06-13T17:11:29Z Nora2605 2 wikitext text/x-wiki Logo of Crane c1f7e8f45364b41604dbe26ed32c3a78643b90d4 Chronii Project 0 188 367 2023-06-13T17:11:43Z Nora2605 2 Created page with "The Chronii Project is the Worldbuilding of a Set of Universes in the Omniverse Field Domain [[T227-GNB]]. It consists of 12 named Universes, that are linked via the Omniversal System described in the T227-GNB Article. == Set of documented Universes == The Universes are listed with Number, Long name, short name and [[T227-GNB#Layer|Layer]]. {| class="wikitable" ! Code Name !! Title !! Layer !! U-Number !! Logo |- | AoasE || Ace of all-seeing Eye || 16 || [[U1]] || ..." wikitext text/x-wiki The Chronii Project is the Worldbuilding of a Set of Universes in the Omniverse Field Domain [[T227-GNB]]. It consists of 12 named Universes, that are linked via the Omniversal System described in the T227-GNB Article. == Set of documented Universes == The Universes are listed with Number, Long name, short name and [[T227-GNB#Layer|Layer]]. {| class="wikitable" ! Code Name !! Title !! Layer !! U-Number !! Logo |- | AoasE || Ace of all-seeing Eye || 16 || [[U1]] || [[File:U1Logo.svg|100px|thumb|right|U1 Logo]] |- | Crane || Crane || 40 || [[U2]] || [[File:U2Logo.svg|100px|thumb|right|U2 Logo]] |- | Autduc || Meos-Autduction || 36 || [[U3]] || [[File:U3Logo.svg|100px|thumb|right|U3 Logo]] |- | Cortix || Cortix || 20 || [[U4]] || [[File:U4Logo.svg|100px|thumb|right|U4 Logo]] |- | Schickzo || Schickzo || 27 || [[U5]] || [[File:U5Logo.svg|100px|thumb|right|U5 Logo]] |- | Schwerin || Schwerin || 33 || [[U6]] || [[File:U6Logo.svg|100px|thumb|right|U6 Logo]] |- | Alsent || Alsent || 30 || [[U7]] || [[File:U7Logo.svg|100px|thumb|right|U7 Logo]] |- | Timcon || Time Conter - Tale of 3000 Hyu || 41 || [[U8]] || [[File:U8Logo.svg|100px|thumb|right|U8 Logo]] |- | Ancisle || Ancisle - Dhifhalxis Cave || 32 || [[U9]] || [[File:U9Logo.svg|100px|thumb|right|U9 Logo]] |- | Zahosto || ZA-Host || 24 || [[U10]] || [[File:U10Logo.svg|100px|thumb|right|U10 Logo]] |- | Incep || Inception, Emergence and Communication || 21 || [[U11]] || [[File:U11Logo.svg|100px|thumb|right|U11 Logo]] |- | Wishorph || Wishorph of Zanudein || 44 || [[U12]] || [[File:U12Logo.svg|100px|thumb|right|U12 Logo]] |} 89cbcf18a57a8098c211b32ac8461a251acbdd67 File:Kackbueddl Portrait.png 6 189 368 2023-06-13T18:52:42Z Nora2605 2 wikitext text/x-wiki Portrait of Erhard Kackbüddl c825065b4ec7f1479492c6fae1794a76131ff7fd Erhard Kackbüddl 0 190 369 2023-06-13T20:04:47Z Nora2605 2 Created page with "{{Infobox person |name=Erhard M. Kackbüddl |image=[[File:Kackbueddl Portrait.png]] |caption=Portrait of Kackbüddl, around 7773 |gender=male |age=47† |birth_name=Emily Maria Kackbüddl |birth_date=7730/04/04 |birth_place=Stockholm, Sweden [[U2|(U2 Equiv.)]] |death_place=Abéché, Chad [[U2|(U2 Equiv.)]] |death_date=7777/07/06 |nationality=Swedish |other_names=Builder of Babel |occupation=CEO of Kackbüddl Inc. |years_active=7752-7777 |known_for=The construction of the..." wikitext text/x-wiki {{Infobox person |name=Erhard M. Kackbüddl |image=[[File:Kackbueddl Portrait.png]] |caption=Portrait of Kackbüddl, around 7773 |gender=male |age=47† |birth_name=Emily Maria Kackbüddl |birth_date=7730/04/04 |birth_place=Stockholm, Sweden [[U2|(U2 Equiv.)]] |death_place=Abéché, Chad [[U2|(U2 Equiv.)]] |death_date=7777/07/06 |nationality=Swedish |other_names=Builder of Babel |occupation=CEO of Kackbüddl Inc. |years_active=7752-7777 |known_for=The construction of the Kackbüddl Tower |notable_works=[[On The Existence of Gods|E.M.Kackbüddl, G.Henrial: On The Existence of Gods (7761)]] |home_town=Stockholm |height=1.82 m |weight=92 kg |hair=blonde |eyes=blue |sexual_orientation=asexual |romantic_orientation=heteroromantic |spouse=None |children=None |parents=Unknown |siblings=None |close_friends=[[Orma Anbhahela]], [[Henri Aethre Bahra]], [[Yu-Wen Zhongshiu]] }} '''Erhard Manfred Kackbüddl''' was a rich businessman from Sweden [[U2|(U2)]] and the CEO and founder of ''Kackbüddl Inc.'' He worked together with [[Henri Aethre Bahra]] on the build of the [[Kackbüddl Tower]]. == Early Life == He was born assigned as female under the name of Emily Maria Kackbüddl. He transitioned while in high-school. After graduating he went to college to get an engineering degree and founded his own company ''Kackbüddl Inc.'' at just 22 years old, which specialized at building houses and specially automated systems as well as IoT applications. Funding was provided mostly hereditarily. == Career == After getting to know [[Henri Aethre Bahra]] (Giancarlo Henrial in current [[Immortality#By Rebirth|Incarnation]]) he started developing plans to rebuild the [[w:Tower of Babel|Tower of Babel]] together with Henri. He pushed a lot of funding into advertisements and made a small annual loss providing best care of his workers. He relocated the company to Chad 10 years after founding it, because it had ideal conditions for energy and material production to build an automated tower project. The board of directors stayed the same from 7752 until the death of humanity in 7777. * CEO: Erhard M. Kackbüddl * COO: [[Jaimi Markwardt]] * CFO: [[Steven Nilsen]] * CAO: [[Kratar Kanukisch]] * CTO & CIO: [[Yu-Wen Zhongshiu]] He didn't share the plans for the tower with the public, only to the board of directors, Henri and his secretary [[Orma Anbhahela]]. Together with Henri he published scientific findings and evidence of the existence of Gods, compiled into [[On The Existence of Gods|E.M.Kackbüddl, G.Henrial: On The Existence of Gods (7761)]]. 7767 he started to hire approximately 10000 workers to build the tower. The foundation was located in Abéché, Chad and the workers were for now merely doing well-payed chiselling, because the actual plan for them was to be sacrificed. == 10 Year Tower Building Period == A lot of advertising and Money went into getting a total of 10000 mere builders into the company, found to be irrelevant and replacable members of society by Kackbüddl. There was no external critique of his actions because they were kept secret. The facade of a well-paying company that planned to build a tower in a developing country was good enough for the general media. As stated in his scientific work and as found out by Henri in the past 4000 years, gods cannot harm souls, or make humans with a soul die on purpose. Additional testing revealed that souls are able to be fused inside of Carbon and Silicon based materials. == Initiation == The tower, as built in the Sahara, is made out of sand (silicon) based material and power to everything was supplied by the sun. On the 6th of July the Project begins. Over night he and his secretary Orma install an as registration system camouflaged soul extraction machine, which all workers entered. They used the souls to infuse all the building materials and the souls of the higher ups of the corporation for the automated machines building the tower, infused into electrical circuits as well as carbon-based steel. Kackbüddl's soul goes into one of the main Cranes on operation, Henri puts his own in an android body he'd been working on so he doesn't need to suffer through rebirth again. As the tower began on building, a lot of families missed their family members working at Kackbüddl Inc. Nothing was heard from the company in a longer time. 2 weeks after the project initiation discovered the empty branch building in Chad, along with a large graveyard built along with the tower, with all workers names. Unsure how to process this information wild debate occured over what exactly happened in the company, until the government of Chad searched through the building and found the actual project plans. Debate continued over whether Kackbüddl was insane or if his sacrifice was legitimate, he got a lot of support from the scientific community that has read his paper, though very aggressive views from the bereaved. The government of Chad though strictly opposed the idea of cancelling the build, both for monetary reasons as well as defending the build with "We can't bring back those lifes, might as well let the project unveil". It was made into a military protected zone and a cold war broke out between the US and the EU allied with the Sahara States of Africa. 2 months after Initiation, [[Gott_(U2)|Gott]] wiped out all animal life on the planet, but was unable to destroy the tower foundation due to the soul infused material. The project was still halted by the power of god, for 100 years. == Events after the Halt == As a fallback system, if anything went wrong, souls were able to become conscious inside the machinery. This applied to the souls of the higher-ups. As a Crane, Kackbüddl also regains consciousness. He doesn't have any recollection of memories, just a strong desire to build the tower. Shortly after meeting a Crate with Materials for the [[Kackbüddl Tower#Portal|Portal to the God-World]], which turns out to be infused with the soul of Orma. They communicate via radio-waves. Unable to hinder te progress of the tower build, Gott became angry and found some soulless material, which he promptly turned evil. The Crane fights these evil crates when the tower reached 10 km in height. At 20 km in height Kackbüddl meets a corrupted Crane with the soul of [[Yu-Wen Zhongshiu]], former CTO of the company and has to destroy it in order to progress. The corrupted Crane fell all the way down the building, destroying the soul carrying circuit board along with it and destroying the corrupted soul. This released a shockwave initiating conversation between Henri and Gott. Clarifying the Events so far Henri decided to join Gott, as his only goal was getting into contact with him, not really building the second Tower. As he opposes Kackbüddl, he doesn't fight him and instead challenges him to a game, which he loses. He tries to destroy his body, but fails due to the remnants of Gotts power in him<ref>See [[Henri Aethre Bahra]] for more details on those events</ref>. On impact, his android body turned immovable. Almost finishing the tower, Gott sends his daughter [[Jesa]] to take care of the project, as his power declined with age. Jesa utilizes powers of creation to try and destroy the Crane mechanically, since direct god-power doesn't do any harm. This is successful. The control board of the Crane releases the Soul in a controlled manner. All of Kackbüddls memories go through Jesas head, along with the emotions and passion he had going through the project. Although having a hard time sympathising with a serial murderer, she decides not to let the peoples deaths be worthless. She convinces god to restore the human race and actually go into contact with the human world. Gott then, by his own hands and physical body, builds the last piece of the Tower from the Crate which possessed Ormas soul and finishes the build, though Ormas soul died in the battle with Jesa.<ref>See [[Soul_(U2)]] for more information about what it means for a soul to "die", "be destroyed" or "escape"</ref> == Legacy == The Kackbüddl Tower now serves as the main contact point between the [[God-World_(U2)|God World]] and the Human World. It still has the name "Kackbüddl Tower" on it in huge letters as well as a memorial of all board directors and Orma in front of the Tower in a garden. == Trivia == * Kackbüddl is an immature joke name, meaning as much as "shit-pants" in german 9866321fe033cdc5b05b3c2306888b3b09cda0f8 373 369 2023-06-13T20:21:27Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name=Erhard M. Kackbüddl |image=[[File:Kackbueddl Portrait.png]] |caption=Portrait of Kackbüddl, around 7773 |gender=male |age=47† |birth_name=Emily Maria Kackbüddl |birth_date=7730/04/04 |birth_place=Stockholm, Sweden [[U2|(U2 Equiv.)]] |death_place=Abéché, Chad [[U2|(U2 Equiv.)]] |death_date=7777/07/06 |nationality=Swedish |other_names=Builder of Babel |occupation=CEO of Kackbüddl Inc. |years_active=7752-7777 |known_for=The construction of the Kackbüddl Tower |notable_works=[[On The Existence of Gods|E.M.Kackbüddl, G.Henrial: On The Existence of Gods (7761)]] |home_town=Stockholm |height=1.82 m |weight=92 kg |hair=blonde |eyes=blue |sexual_orientation=asexual |romantic_orientation=heteroromantic |spouse=None |children=None |parents=Unknown |siblings=None |close_friends=[[Orma Anbhahela]], [[Henri Aethre Bahra]], [[Yu-Wen Zhongshiu]] }} '''Erhard Manfred Kackbüddl''' was a rich businessman from Sweden [[U2|(U2)]] and the CEO and founder of ''Kackbüddl Inc.'' He worked together with [[Henri Aethre Bahra]] on the build of the [[Kackbüddl Tower]]. == Early Life == He was born assigned as female under the name of Emily Maria Kackbüddl. He transitioned while in high-school. After graduating he went to college to get an engineering degree and founded his own company ''Kackbüddl Inc.'' at just 22 years old, which specialized at building houses and specially automated systems as well as IoT applications. Funding was provided mostly hereditarily. == Career == After getting to know [[Henri Aethre Bahra]] (Giancarlo Henrial in current [[Immortality#By Rebirth|Incarnation]]) he started developing plans to rebuild the [[w:Tower of Babel|Tower of Babel]] together with Henri. He pushed a lot of funding into advertisements and made a small annual loss providing best care of his workers. He relocated the company to Chad 10 years after founding it, because it had ideal conditions for energy and material production to build an automated tower project. The board of directors stayed the same from 7752 until the death of humanity in 7777. * CEO: Erhard M. Kackbüddl * COO: [[Jaimi Markwardt]] * CFO: [[Steven Nilsen]] * CAO: [[Kratar Kanukisch]] * CTO & CIO: [[Yu-Wen Zhongshiu]] He didn't share the plans for the tower with the public, only to the board of directors, Henri and his secretary [[Orma Anbhahela]]. Together with Henri he published scientific findings and evidence of the existence of Gods, compiled into [[On The Existence of Gods|E.M.Kackbüddl, G.Henrial: On The Existence of Gods (7761)]]. 7767 he started to hire approximately 10000 workers to build the tower. The foundation was located in Abéché, Chad and the workers were for now merely doing well-payed chiselling, because the actual plan for them was to be sacrificed. == 10 Year Tower Building Period == A lot of advertising and Money went into getting a total of 10000 mere builders into the company, found to be irrelevant and replacable members of society by Kackbüddl. There was no external critique of his actions because they were kept secret. The facade of a well-paying company that planned to build a tower in a developing country was good enough for the general media. As stated in his scientific work and as found out by Henri in the past 4000 years, gods cannot harm souls, or make humans with a soul die on purpose. Additional testing revealed that souls are able to be fused inside of Carbon and Silicon based materials. == Initiation == The tower, as built in the Sahara, is made out of sand (silicon) based material and power to everything was supplied by the sun. On the 6th of July the Project begins. Over night he and his secretary Orma install an as registration system camouflaged soul extraction machine, which all workers entered. They used the souls to infuse all the building materials and the souls of the higher ups of the corporation for the automated machines building the tower, infused into electrical circuits as well as carbon-based steel. Kackbüddl's soul goes into one of the main Cranes on operation, Henri puts his own in an android body he'd been working on so he doesn't need to suffer through rebirth again. As the tower began on building, a lot of families missed their family members working at Kackbüddl Inc. Nothing was heard from the company in a longer time. 2 weeks after the project initiation discovered the empty branch building in Chad, along with a large graveyard built along with the tower, with all workers names. Unsure how to process this information wild debate occured over what exactly happened in the company, until the government of Chad searched through the building and found the actual project plans. Debate continued over whether Kackbüddl was insane or if his sacrifice was legitimate, he got a lot of support from the scientific community that has read his paper, though very aggressive views from the bereaved. The government of Chad though strictly opposed the idea of cancelling the build, both for monetary reasons as well as defending the build with "We can't bring back those lifes, might as well let the project unveil". It was made into a military protected zone and a cold war broke out between the US and the EU allied with the Sahara States of Africa. 2 months after Initiation, [[Gott_(U2)|Gott]] wiped out all animal life on the planet, but was unable to destroy the tower foundation due to the soul infused material. The project was still halted by the power of god, for 100 years. == Events after the Halt == As a fallback system, if anything went wrong, souls were able to become conscious inside the machinery. This applied to the souls of the higher-ups. As a Crane, Kackbüddl also regains consciousness. He doesn't have any recollection of memories, just a strong desire to build the tower. Shortly after meeting a Crate with Materials for the [[Kackbüddl Tower#Portal|Portal to the God-World]], which turns out to be infused with the soul of Orma. They communicate via radio-waves. Unable to hinder te progress of the tower build, Gott became angry and found some soulless material, which he promptly turned evil. The Crane fights these evil crates when the tower reached 10 km in height. At 20 km in height Kackbüddl meets a corrupted Crane with the soul of [[Yu-Wen Zhongshiu]], former CTO of the company and has to destroy it in order to progress. The corrupted Crane fell all the way down the building, destroying the soul carrying circuit board along with it and destroying the corrupted soul. This released a shockwave initiating conversation between Henri and Gott. Clarifying the Events so far Henri decided to join Gott, as his only goal was getting into contact with him, not really building the second Tower. As he opposes Kackbüddl, he doesn't fight him and instead challenges him to a game, which he loses. He tries to destroy his body, but fails due to the remnants of Gotts power in him<ref>See [[Henri Aethre Bahra]] for more details on those events</ref>. On impact, his android body turned immovable. Almost finishing the tower, Gott sends his daughter [[Jesa]] to take care of the project, as his power declined with age. Jesa utilizes powers of creation to try and destroy the Crane mechanically, since direct god-power doesn't do any harm. This is successful. The control board of the Crane releases the Soul in a controlled manner. All of Kackbüddls memories go through Jesas head, along with the emotions and passion he had going through the project. Although having a hard time sympathising with a serial murderer, she decides not to let the peoples deaths be worthless. She convinces god to restore the human race and actually go into contact with the human world. Gott then, by his own hands and physical body, builds the last piece of the Tower from the Crate which possessed Ormas soul and finishes the build, though Ormas soul died in the battle with Jesa.<ref>See [[Soul_(U2)]] for more information about what it means for a soul to "die", "be destroyed" or "escape"</ref> == Legacy == The Kackbüddl Tower now serves as the main contact point between the [[God-World_(U2)|God World]] and the Human World. It still has the name "Kackbüddl Tower" on it in huge letters as well as a memorial of all board directors and Orma in front of the Tower in a garden. == Trivia == * Kackbüddl is an immature joke name, meaning as much as "shit-pants" in german [[Category:U2]] {{#seo:|image=Kackbueddl_Portrait.png}} f74ccddc5d70d9fa87271a1b35ba1241189033a1 385 373 2023-06-14T06:49:38Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name=Erhard M. Kackbüddl |image=[[File:Kackbueddl Portrait.png]] |caption=Portrait of Kackbüddl, around 7773 |gender=male |age=47† |birth_name=Emily Maria Kackbüddl |birth_date=7730/04/04 |birth_place=Stockholm, Sweden [[U2|(U2 Equiv.)]] |death_place=Abéché, Chad [[U2|(U2 Equiv.)]] |death_date=7777/07/06 |nationality=Swedish |other_names=Builder of Babel |occupation=CEO of Kackbüddl Inc. |years_active=7752-7777 |known_for=The construction of the Kackbüddl Tower |notable_works=[[On The Existence of Gods|E.M.Kackbüddl, G.Henrial: On The Existence of Gods (7761)]] |home_town=Stockholm |height=1.82 m |weight=92 kg |hair=blonde |eyes=blue |sexual_orientation=asexual |romantic_orientation=heteroromantic |spouse=None |children=None |parents=Unknown |siblings=None |close_friends=[[Orma Anbhahela]], [[Henri Aethre Bahra]], [[Yu-Wen Zhongshiu]] }} '''Erhard Manfred Kackbüddl''' was a rich businessman from Sweden [[U2|(U2)]] and the CEO and founder of ''Kackbüddl Inc.'' He worked together with [[Henri Aethre Bahra]] on the build of the [[Kackbüddl Tower]]. == Early Life == He was born assigned as female under the name of Emily Maria Kackbüddl. He transitioned while in high-school. After graduating he went to college to get an engineering degree and founded his own company ''Kackbüddl Inc.'' at just 22 years old, which specialized at building houses and specially automated systems as well as IoT applications. Funding was provided mostly hereditarily. == Career == After getting to know [[Henri Aethre Bahra]] (Giancarlo Henrial in current [[Immortality#By Rebirth|Incarnation]]) he started developing plans to rebuild the [[w:Tower of Babel|Tower of Babel]] together with Henri. He pushed a lot of funding into advertisements and made a small annual loss providing best care of his workers. He relocated the company to Chad 10 years after founding it, because it had ideal conditions for energy and material production to build an automated tower project. The board of directors stayed the same from 7752 until the death of humanity in 7777. * CEO: Erhard M. Kackbüddl * COO: [[Jaimi Markwardt]] * CFO: [[Steven Nilsen]] * CAO: [[Kratar Kanukisch]] * CTO & CIO: [[Yu-Wen Zhongshiu]] He didn't share the plans for the tower with the public, only to the board of directors, Henri and his secretary [[Orma Anbhahela]]. Together with Henri he published scientific findings and evidence of the existence of Gods, compiled into [[On The Existence of Gods|E.M.Kackbüddl, G.Henrial: On The Existence of Gods (7761)]]. 7767 he started to hire approximately 10000 workers to build the tower. The foundation was located in Abéché, Chad and the workers were for now merely doing well-payed chiselling, because the actual plan for them was to be sacrificed. == 10 Year Tower Building Period == A lot of advertising and Money went into getting a total of 10000 mere builders into the company, found to be irrelevant and replacable members of society by Kackbüddl. There was no external critique of his actions because they were kept secret. The facade of a well-paying company that planned to build a tower in a developing country was good enough for the general media. As stated in his scientific work and as found out by Henri in the past 4000 years, gods cannot harm souls, or make humans with a soul die on purpose. Additional testing revealed that souls are able to be fused inside of Carbon and Silicon based materials. == Initiation == The tower, as built in the Sahara, is made out of sand (silicon) based material and power to everything was supplied by the sun. On the 6th of July the Project begins. Over night he and his secretary Orma install an as registration system camouflaged soul extraction machine, which all workers entered. They used the souls to infuse all the building materials and the souls of the higher ups of the corporation for the automated machines building the tower, infused into electrical circuits as well as carbon-based steel. Kackbüddl's soul goes into one of the main Cranes on operation, Henri puts his own in an android body he'd been working on so he doesn't need to suffer through rebirth again. As the tower began on building, a lot of families missed their family members working at Kackbüddl Inc. Nothing was heard from the company in a longer time. 2 weeks after the project initiation discovered the empty branch building in Chad, along with a large graveyard built along with the tower, with all workers names. Unsure how to process this information wild debate occured over what exactly happened in the company, until the government of Chad searched through the building and found the actual project plans. Debate continued over whether Kackbüddl was insane or if his sacrifice was legitimate, he got a lot of support from the scientific community that has read his paper, though very aggressive views from the bereaved. The government of Chad though strictly opposed the idea of cancelling the build, both for monetary reasons as well as defending the build with "We can't bring back those lifes, might as well let the project unveil". It was made into a military protected zone and a cold war broke out between the US and the EU allied with the Sahara States of Africa. 2 months after Initiation, [[Gott_(U2)|Gott]] wiped out all animal life on the planet, but was unable to destroy the tower foundation due to the soul infused material. The project was still halted by the power of god, for 100 years. == Events after the Halt == As a fallback system, if anything went wrong, souls were able to become conscious inside the machinery. This applied to the souls of the higher-ups. As a Crane, Kackbüddl also regains consciousness. He doesn't have any recollection of memories, just a strong desire to build the tower. Shortly after meeting a Crate with Materials for the [[Kackbüddl Tower#Portal|Portal to the God-World]], which turns out to be infused with the soul of Orma. They communicate via radio-waves. Unable to hinder te progress of the tower build, Gott became angry and found some soulless material, which he promptly turned evil. The Crane fights these evil crates when the tower reached 10 km in height. At 20 km in height Kackbüddl meets a corrupted Crane with the soul of [[Yu-Wen Zhongshiu]], former CTO of the company and has to destroy it in order to progress. The corrupted Crane fell all the way down the building, destroying the soul carrying circuit board along with it and destroying the corrupted soul. This released a shockwave initiating conversation between Henri and Gott. Clarifying the Events so far Henri decided to join Gott, as his only goal was getting into contact with him, not really building the second Tower. As he opposes Kackbüddl, he doesn't fight him and instead challenges him to a game, which he loses. He tries to destroy his body, but fails due to the remnants of Gotts power in him<ref>See [[Henri Aethre Bahra]] for more details on those events</ref>. On impact, his android body turned immovable. Almost finishing the tower, Gott sends his daughter [[Jesa]] to take care of the project, as his power declined with age. Jesa utilizes powers of creation to try and destroy the Crane mechanically, since direct god-power doesn't do any harm. This is successful. The control board of the Crane releases the Soul in a controlled manner. All of Kackbüddls memories go through Jesas head, along with the emotions and passion he had going through the project. Although having a hard time sympathising with a serial murderer, she decides not to let the peoples deaths be worthless. She convinces god to restore the human race and actually go into contact with the human world. Gott then, by his own hands and physical body, builds the last piece of the Tower from the Crate which possessed Ormas soul and finishes the build, though Ormas soul died in the battle with Jesa.<ref>See [[Soul_(U2)]] for more information about what it means for a soul to "die", "be destroyed" or "escape"</ref> == Legacy == The Kackbüddl Tower now serves as the main contact point between the [[God-World_(U2)|God World]] and the Human World. It still has the name "Kackbüddl Tower" on it in huge letters as well as a memorial of all board directors and Orma in front of the Tower in a garden. == Trivia == * Kackbüddl is an immature joke name, meaning as much as "shit-pants" in german [[Category:U2]] [[Category:Character]] {{#seo:|image=Kackbueddl_Portrait.png}} 5ef3e749f09057cec32000349a24cb0e042e3773 File:Orma Anbhahela.png 6 191 370 2023-06-13T20:07:22Z Nora2605 2 wikitext text/x-wiki Protrait of Orma 3004afb2d962b69d5404ee73c21ac6db4fe4e03e Orma Anbhahela 0 192 371 2023-06-13T20:15:32Z Nora2605 2 Created page with "{{Infobox person |name=Orma Anbhahela |image=[[File:Orma Anbhahela.png]] |caption=Portrait of Orma, around 7774 |gender=female |age=42† |birth_name=Orma Anbhahela |birth_date=7735/12/24 |birth_place=Kopenhagen, Denmark [[U2|(U2 Equiv.)]] |death_place=Abéché, Chad [[U2|(U2 Equiv.)]] |death_date=7777/07/06 |nationality=Danish |occupation=Secretary of the CEO of Kackbüddl Inc. |years_active=7756-7777 |home_town=Kopenhagen |height=1.66 m |weight=67 kg |hair=light brown,..." wikitext text/x-wiki {{Infobox person |name=Orma Anbhahela |image=[[File:Orma Anbhahela.png]] |caption=Portrait of Orma, around 7774 |gender=female |age=42† |birth_name=Orma Anbhahela |birth_date=7735/12/24 |birth_place=Kopenhagen, Denmark [[U2|(U2 Equiv.)]] |death_place=Abéché, Chad [[U2|(U2 Equiv.)]] |death_date=7777/07/06 |nationality=Danish |occupation=Secretary of the CEO of Kackbüddl Inc. |years_active=7756-7777 |home_town=Kopenhagen |height=1.66 m |weight=67 kg |hair=light brown, red tone |eyes=green |sexual_orientation=heterosexual |romantic_orientation=heteroromantic |parents=Ingrid Anbhahela, Jörgen Anbhahela |close_friends=[[Erhard Kackbüddl]], [[Henri Aethre Bahra]], [[Yu-Wen Zhongshiu]] }} '''Orma Anbhahela''' was the secretary of [[Erhard Kackbüddl]] and one of the only persons to work on and know of the secret plan of tower construction. == Career == She used to work at Kackbüddl Inc. as apprentice for 3 years, then got promoted to being charge of major decisions, although under the title of "Secretary of the CEO". She quickly became acquainted with Kackbüddl as well as Henri and Zhongshiu. === Rumored Affair with Kackbüddl === They did not have a sexual affair, but they used to talk about intimate topics such as mental health during breaks. == The Project Initiation == Her Story after is covered by the Article [[Erhard Kackbüddl]] as well as the [[Crane 3_(Game)|Crane 3 Game]]. 7f0a7a8db5fa32dfa1552c78b3a79526a5943048 383 371 2023-06-14T06:48:44Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name=Orma Anbhahela |image=[[File:Orma Anbhahela.png]] |caption=Portrait of Orma, around 7774 |gender=female |age=42† |birth_name=Orma Anbhahela |birth_date=7735/12/24 |birth_place=Kopenhagen, Denmark [[U2|(U2 Equiv.)]] |death_place=Abéché, Chad [[U2|(U2 Equiv.)]] |death_date=7777/07/06 |nationality=Danish |occupation=Secretary of the CEO of Kackbüddl Inc. |years_active=7756-7777 |home_town=Kopenhagen |height=1.66 m |weight=67 kg |hair=light brown, red tone |eyes=green |sexual_orientation=heterosexual |romantic_orientation=heteroromantic |parents=Ingrid Anbhahela, Jörgen Anbhahela |close_friends=[[Erhard Kackbüddl]], [[Henri Aethre Bahra]], [[Yu-Wen Zhongshiu]] }} '''Orma Anbhahela''' was the secretary of [[Erhard Kackbüddl]] and one of the only persons to work on and know of the secret plan of tower construction. == Career == She used to work at Kackbüddl Inc. as apprentice for 3 years, then got promoted to being charge of major decisions, although under the title of "Secretary of the CEO". She quickly became acquainted with Kackbüddl as well as Henri and Zhongshiu. === Rumored Affair with Kackbüddl === They did not have a sexual affair, but they used to talk about intimate topics such as mental health during breaks. == The Project Initiation == Her Story after is covered by the Article [[Erhard Kackbüddl]] as well as the [[Crane 3_(Game)|Crane 3 Game]]. [[Category:Character]] 786d280dd715d6444793e6f3f231d0652887f0c0 388 383 2023-06-14T07:03:40Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name=Orma Anbhahela |image=[[File:Orma Anbhahela.png]] |caption=Portrait of Orma, around 7774 |gender=female |age=42† |birth_name=Orma Anbhahela |birth_date=7735/12/24 |birth_place=Kopenhagen, Denmark [[U2|(U2 Equiv.)]] |death_place=Abéché, Chad [[U2|(U2 Equiv.)]] |death_date=7777/07/06 |nationality=Danish |occupation=Secretary of the CEO of Kackbüddl Inc. |years_active=7756-7777 |home_town=Kopenhagen |height=1.66 m |weight=67 kg |hair=light brown, red tone |eyes=green |sexual_orientation=heterosexual |romantic_orientation=heteroromantic |parents=Ingrid Anbhahela, Jörgen Anbhahela |close_friends=[[Erhard Kackbüddl]], [[Henri Aethre Bahra]], [[Yu-Wen Zhongshiu]] }} '''Orma Anbhahela''' was the secretary of [[Erhard Kackbüddl]] and one of the only persons to work on and know of the secret plan of tower construction. == Career == She used to work at Kackbüddl Inc. as apprentice for 3 years, then got promoted to being charge of major decisions, although under the title of "Secretary of the CEO". She quickly became acquainted with Kackbüddl as well as Henri and Zhongshiu. === Rumored Affair with Kackbüddl === They did not have a sexual affair, but they used to talk about intimate topics such as mental health during breaks. == The Project Initiation == Her Story after is covered by the Article [[Erhard Kackbüddl]] as well as the [[Crane 3_(Game)|Crane 3 Game]]. [[Category:Character]] [[Category:U2]] 1f0cd36b513f9f25f93858e187d5298a6addf591 Template:Infobox universe 10 193 374 2023-06-14T06:09:17Z Nora2605 2 Created page with "<infobox> <title source="name"><default>{{PAGENAME}}</default></title> <image source="logo"><caption source="caption"></caption></image> <data source="alias"><label>Alias</label></data> <group> <header>Physics</header> <data source="magic_system"><label>Magic System</label></data> <data source="god_system"><label>God System</label></data> <data source="layer"><label>Omniverse Layer</label></data> </group> <group>..." wikitext text/x-wiki <infobox> <title source="name"><default>{{PAGENAME}}</default></title> <image source="logo"><caption source="caption"></caption></image> <data source="alias"><label>Alias</label></data> <group> <header>Physics</header> <data source="magic_system"><label>Magic System</label></data> <data source="god_system"><label>God System</label></data> <data source="layer"><label>Omniverse Layer</label></data> </group> <group> <header>Story</header> <data source="protagonist"><label>Protagonist</label></data> <data source="main_story"><label>Main Story</label></data> <data source="notable_places"><label>Notable Places</label></data> </group> </infobox> a0b3f0c54f601dada7e7c1b58402c54a6739fde8 File:U1LogoW.png 6 194 375 2023-06-14T06:15:40Z Nora2605 2 wikitext text/x-wiki png of U1 Logo 5f960db07ae7be87cb8fe2cea6805b5afe1131e1 U1 0 195 376 2023-06-14T06:16:39Z Nora2605 2 Created page with "{{Infobox universe |name=AoasE |logo=[[File:U1LogoW.png]] |caption=Logo of U1 |alias=Ace of all-seeing Eye |magic_system=[[Magic_System_(U1)]] |god_system=None exist |layer=16 |protagonist=[[Lümir Novya Nijimi]] |main_story=[[#Story|Below]] |notable_places=* [[H34]] * [[The Council (U1)]] * [[Loctum]] }} '''U1''', '''AoasE''' or '''Ace of all-seeing Eye''' is the name of the first universe in the Chronii Project. It is located on Layer 16 in [[T227-GNB]] and has a Magi..." wikitext text/x-wiki {{Infobox universe |name=AoasE |logo=[[File:U1LogoW.png]] |caption=Logo of U1 |alias=Ace of all-seeing Eye |magic_system=[[Magic_System_(U1)]] |god_system=None exist |layer=16 |protagonist=[[Lümir Novya Nijimi]] |main_story=[[#Story|Below]] |notable_places=* [[H34]] * [[The Council (U1)]] * [[Loctum]] }} '''U1''', '''AoasE''' or '''Ace of all-seeing Eye''' is the name of the first universe in the Chronii Project. It is located on Layer 16 in [[T227-GNB]] and has a Magic System and a main setting planet [[H34]]. The name stems from the design of [[Lümir Novya Nijimi|Lümir's]] eyes. == Story == The Main storyline of AoasE revolves around [[Lümir Novya Nijimi]] and her friends exploring [[Voles]], a continent of which a large part was polluted by the [[Navira War]]. The story is ongoing and currently has 3 sections: === Book 1 === === Book 2 === === Book 3 === == Setup == The events take place mostly on [[H34]]. For the evolutionary history of animal-humans (called ''Navira''), see [[Navira]]. A timeline of historical events can be found [[H34#Timeline|here]]. Additional to the planets metadata, the Universe also contains a floating space station called ''The council''. Its article is [[The Council (U1)|here]]. == Main Characters == ;[[Lümir Novya Nijimi]] :Protagonist of the series ;[[Rashi Klavae]] :Deuteragonist ;[[Tek Dotnet]] :Deuteragonist ;[[Karl Avos]] :Tritagonist ;[[Mei Oruka]] :Tritagonist ;[[Oruka Shiroi Arkas Nijimi]] :Supporting (Gets a spin-off) ;[[Juno Flendr]] :Tritagonist ;[[Afliks Flendr]] :Tritagonist ;[[Jaem Douozu]] :Tritagonist ;[[Djorji Fira]] :Supporting ;[[Tsaet Reisozi]] :Supporting ;[[Erik Mewes]] :Supporting ;[[Helen Mewes]] :Supporting ;[[Nyöli Meigus]] :Supporting == Trivia == * This wasn't actually the first universe, it is just the universe with the first OC * It is in the highest layer in which life is deemed possible * The word "aoase" means "jack of all traits" or generally "ace" in [[Getrish]] [[Category:U1]] [[Category:Universes]] 35bae10b36043e6b4970a79fc48a2f72b1bd3616 File:U2LogoW.png 6 196 377 2023-06-14T06:17:33Z Nora2605 2 wikitext text/x-wiki png of U2 Logo 21bb2e0d899a486d66fdaad69e706abcd715064c U2 0 197 378 2023-06-14T06:19:42Z Nora2605 2 Created page with "{{Infobox universe |name=Crane |logo=U2LogoW.png |caption=Logo of U2 |magic_system=[[Soul_(U2)]] |god_system=Polytheistic, hereditary specialized |layer=40 |protagonist=* [[Erhard Kackbüddl]] (Part 3) * [[Ethemin Bahra]] (Part 4) * [[Tonyo]] (Part 5) * [[Fermi (U2)]] (Part 6) * [[Torrin]] (Part 7) * [[Jesira]] (Part 8 & 9) |main_story=[[#Story|Below]] |notable_places=Earth (Same earth as [[V0|Real life]]) }} '''Crane''' is the name of the second universe in the Chronii..." wikitext text/x-wiki {{Infobox universe |name=Crane |logo=U2LogoW.png |caption=Logo of U2 |magic_system=[[Soul_(U2)]] |god_system=Polytheistic, hereditary specialized |layer=40 |protagonist=* [[Erhard Kackbüddl]] (Part 3) * [[Ethemin Bahra]] (Part 4) * [[Tonyo]] (Part 5) * [[Fermi (U2)]] (Part 6) * [[Torrin]] (Part 7) * [[Jesira]] (Part 8 & 9) |main_story=[[#Story|Below]] |notable_places=Earth (Same earth as [[V0|Real life]]) }} '''Crane''' is the name of the second universe in the Chronii Project. It is located on Layer 40 in [[T227-GNB]] and has a Soul based Power System, a main setting planet analogous to earth and a God World as well as Hell and other seperate dimensions. == Story == The Story is set in different times, in chronological order. It begins with Part 3, as [[Crane (Simulation)|Part 1 & 2]] were a canonical simulation inside of Part 3's lore. Read [[Henri Aethre Bahra]] for the oldest backstory of the universe. === Part 3 === Described in [[Erhard Kackbüddl]]. === Part 4 === Described in [[Ethemin Bahra]]. === Part 5 === Described in [[Tonyo]]. === Part 6 === Described in [[Fermi (U2)]], first few sections. === Part 7 === Described in [[Torrin]] as well as [[Gabriel M (U2)]] and [[Gabriel F (U2)]] === Part 8 & 9 === Described in [[Jesira]], [[Satan (U2)]] and [[Fermi (U2)]]. == Setup == The universe focuses on an Earth analogous to the real Earth [[V0]], with the existence of Gods added. Not much setup is to be known except for the [[God System (U2)]] and [[Soul (U2)]]. == Main Characters == * [[Erhard Kackbüddl]] * [[Ethemin Bahra]] * [[Tonyo]] * [[Fermi (U2)]] * [[Torrin]] * [[Jesira]] == Trivia == * This was the first universe I started actually building * It is all quite obviously based on some ideas from the Bible, as well as Gnosticism and Toby Fox's Undertale. * The Parts after 3 have almost nothing to do with Cranes anymore [[Category:U2]] [[Category:Universes]] 8734da36cda995e24fa9db4c5733531e2e384827 File:V0LogoW.png 6 198 379 2023-06-14T06:22:01Z Nora2605 2 wikitext text/x-wiki V0 Logo 9b3ba93df903dbb137084b59f0af52a1903ba573 V0 0 199 380 2023-06-14T06:26:33Z Nora2605 2 Created page with "{{Infobox universe |name=Real life |logo=[[File:V0LogoW.png]] |caption=Logo of V0 |alias=V0, Earth |magic_system=None |god_system=None |layer=20 |protagonist=[[Nora2605]] |notable_places=[[w:Earth|Earth]] }} '''V0''', '''Earth''' or '''Real life''' describes the Universe and Timeline<ref>(thus V instead of U), see [[T227-GNB]]</ref> of Real life, in which this wiki is hosted. For more information about Real life, see [[w:Main_Page|Wikipedia]]." wikitext text/x-wiki {{Infobox universe |name=Real life |logo=[[File:V0LogoW.png]] |caption=Logo of V0 |alias=V0, Earth |magic_system=None |god_system=None |layer=20 |protagonist=[[Nora2605]] |notable_places=[[w:Earth|Earth]] }} '''V0''', '''Earth''' or '''Real life''' describes the Universe and Timeline<ref>(thus V instead of U), see [[T227-GNB]]</ref> of Real life, in which this wiki is hosted. For more information about Real life, see [[w:Main_Page|Wikipedia]]. e6e15e785a78e806a87486868cb258757e1f5e7f Nora2605 0 200 381 2023-06-14T06:47:10Z Nora2605 2 Created page with "{{Infobox person |name=Nora Judith Felicitas |gender=female |age=17 |birth_date=20XX/05/26 |birth_place=[Redacted] |nationality=German |other_names=* Queen of the Northern seas * Goddess of Chicken * The creator |known_for=[[Chronii Project]] |home_town=[Redacted] |height=1.75 m |weight=51 kg |hair=dark blonde |eyes=blue |sexual_orientation=bisexual |romantic_orientation=panromantic |parents=[Redacted] |biological_parents=[Redacted] |siblings=[Redacted] |grandparents=[Re..." wikitext text/x-wiki {{Infobox person |name=Nora Judith Felicitas |gender=female |age=17 |birth_date=20XX/05/26 |birth_place=[Redacted] |nationality=German |other_names=* Queen of the Northern seas * Goddess of Chicken * The creator |known_for=[[Chronii Project]] |home_town=[Redacted] |height=1.75 m |weight=51 kg |hair=dark blonde |eyes=blue |sexual_orientation=bisexual |romantic_orientation=panromantic |parents=[Redacted] |biological_parents=[Redacted] |siblings=[Redacted] |grandparents=[Redacted] |close_friends=[Redacted] |others=Creations: [[:Category:Character]] }} '''Nora2605''' also known as '''Nora''', '''The creator''', '''The Queen of Northern seas''', '''NJFA''', '''NonoCreeper30''' and her full name '''Nora Judith Felicitas [Redacted]''' is the Creator of the Chronii Project, in which she is herself a canon character residing in primarily [[V0]] but also making appearances in [[Chronii Project|U1 through 12]]. dc5cab046078dfcb6ff83a65a808e2480eeb2011 Kackbüddl 0 201 384 2023-06-14T06:49:20Z Nora2605 2 Redirected page to [[Erhard Kackbüddl]] wikitext text/x-wiki #REDIRECT [[Erhard Kackbüddl]] 962a16a0ee4927de81b1f9410cb24af384cc9959 Category:Character 14 202 386 2023-06-14T06:54:11Z Nora2605 2 Created page with "== Characters == List of all Characters in the Chronii Project so far." wikitext text/x-wiki == Characters == List of all Characters in the Chronii Project so far. 5f5f247e2262c4dadf3f4d0d8f13d1392a9bac34 Category:U2 14 203 387 2023-06-14T06:56:39Z Nora2605 2 Created page with "See [[U2]]." wikitext text/x-wiki See [[U2]]. c50816095b6520ec05988a7f7d05357db4c7742d T227-GNB 0 204 389 2023-06-15T05:29:04Z Nora2605 2 Created page with "'''T227-GNB''' is an [[Omniverse]] framework, named after [[https://oeis.org/A000227|OEIS A000227]]. It consists of 120 Layers of Multi- or Universes (Shortened to just Universes in most articles), where the number of Universes per layer is asymptotically equal to a(n) in OEIS A000227, meaning the absolute error gets, on average, lower every layer. == Terminology == A Layer is a Depth level of the tree starting at the Node of [[World 0]]. A World is a Multiverse or Un..." wikitext text/x-wiki '''T227-GNB''' is an [[Omniverse]] framework, named after [[https://oeis.org/A000227|OEIS A000227]]. It consists of 120 Layers of Multi- or Universes (Shortened to just Universes in most articles), where the number of Universes per layer is asymptotically equal to a(n) in OEIS A000227, meaning the absolute error gets, on average, lower every layer. == Terminology == A Layer is a Depth level of the tree starting at the Node of [[World 0]]. A World is a Multiverse or Universe, governed by its own set of rules. Generally the lower the Layer number, the more complex the rules are. == Layers == The layer structure starts at Layer 0, which contains a single Universe, called [[World 0]]. A list of Layer sizes for the first 16 Layers is given in [[#Numbers|Numbers]]. Layer 0 is "up" in this article, as per a tree view with a root node. Worlds are interconnected to neighbouring layers, by a non-injective upwards relationship, meaning many worlds from layer n+1 can map to one world from layer n. == Governing Rules == Worlds are solvable. If one solves a world, that entity, consciousness or idea is transferred to the world its connected to in the layer n - 1. They may gain abilities from this ascension. Every world undergoes a cycle. Universes are constantly vanishing and reemerging at varying speeds. Ascended individuals may prevail while a world is resetting. == Numbers == {| |+ Layer sizes ! Layer !! Worlds ! |- | 0 || 1 | |- | 1 || 2 | |- | 2 || 5 | |- | 3 || 11 | |- | 4 || 19 | |- | 5 || 24 | |- | 6 || 83 | |- | 7 || 121 | |- | 8 || 177 | |- | 9 || 280 | |- | 10 || 678 | |- | 11 || 1800 | |- | 12 || 3455 | |- | 13 || 8992 | |- | 14 || 9226 | |- | 15 || 9227 | |- | 16 || 8,886,124 | |- | 120 || 1.3 * 10^53 | |} 1ce2314bd4f320d793aaa6d9077a0b664b1b3d06 390 389 2023-06-15T05:32:31Z Nora2605 2 /* Numbers */ wikitext text/x-wiki '''T227-GNB''' is an [[Omniverse]] framework, named after [[https://oeis.org/A000227|OEIS A000227]]. It consists of 120 Layers of Multi- or Universes (Shortened to just Universes in most articles), where the number of Universes per layer is asymptotically equal to a(n) in OEIS A000227, meaning the absolute error gets, on average, lower every layer. == Terminology == A Layer is a Depth level of the tree starting at the Node of [[World 0]]. A World is a Multiverse or Universe, governed by its own set of rules. Generally the lower the Layer number, the more complex the rules are. == Layers == The layer structure starts at Layer 0, which contains a single Universe, called [[World 0]]. A list of Layer sizes for the first 16 Layers is given in [[#Numbers|Numbers]]. Layer 0 is "up" in this article, as per a tree view with a root node. Worlds are interconnected to neighbouring layers, by a non-injective upwards relationship, meaning many worlds from layer n+1 can map to one world from layer n. == Governing Rules == Worlds are solvable. If one solves a world, that entity, consciousness or idea is transferred to the world its connected to in the layer n - 1. They may gain abilities from this ascension. Every world undergoes a cycle. Universes are constantly vanishing and reemerging at varying speeds. Ascended individuals may prevail while a world is resetting. == Numbers == {| class="wikitable" |+ Layer sizes |- ! Layer !! Worlds |- | 0 || 1 |- | 1 || 2 |- | 2 || 5 |- | 3 || 11 |- | 4 || 19 |- | 5 || 24 |- | 6 || 83 |- | 7 || 121 |- | 8 || 177 |- | 9 || 280 |- | 10 || 678 |- | 11 || 1800 |- | 12 || 3455 |- | 13 || 8992 |- | 14 || 9226 |- | 15 || 9227 |- | 16 || 8,886,124 |- | 120 || 1.3 * 10^53 |} 63e84c58c5edc82d85091a278a27de40c0da6835 391 390 2023-06-15T05:41:32Z Nora2605 2 wikitext text/x-wiki '''T227-GNB''' is an [[Omniverse]] framework, named after [[https://oeis.org/A000227|OEIS A000227]]. It consists of 120 Layers of Multi- or Universes (Shortened to just Universes in most articles), where the number of Universes per layer is asymptotically equal to a(n) in OEIS A000227, meaning the absolute error gets, on average, lower every layer. '''The idea is not attributable to the creator.''' == Terminology == A Layer is a Depth level of the tree starting at the Node of [[World 0]]. A World is a Multiverse or Universe, governed by its own set of rules. Generally the lower the Layer number, the more complex the rules are. == Layers == The layer structure starts at Layer 0, which contains a single Universe, called [[World 0]]. A list of Layer sizes for the first 16 Layers is given in [[#Numbers|Numbers]]. Layer 0 is "up" in this article, as per a tree view with a root node. Worlds are interconnected to neighbouring layers, by a non-injective upwards relationship, meaning many worlds from layer n+1 can map to one world from layer n. == Governing Rules == Worlds are solvable. If one solves a world, that entity, consciousness or idea is transferred to the world its connected to in the layer n - 1. They may gain abilities from this ascension. Every world undergoes a cycle. Universes are constantly vanishing and reemerging at varying speeds. Ascended individuals may prevail while a world is resetting. == Numbers == {| class="wikitable" |+ Layer sizes |- ! Layer !! Worlds |- | 0 || 1 |- | 1 || 2 |- | 2 || 5 |- | 3 || 11 |- | 4 || 19 |- | 5 || 24 |- | 6 || 83 |- | 7 || 121 |- | 8 || 177 |- | 9 || 280 |- | 10 || 678 |- | 11 || 1800 |- | 12 || 3455 |- | 13 || 8992 |- | 14 || 9226 |- | 15 || 9227 |- | 16 || 8,886,124 |- | 120 || 1.3 * 10^53 |} 9884cfe1829187cb0420b31879e02b4ce061de79 T227-GNB 0 204 392 391 2023-06-15T15:56:09Z Nora2605 2 wikitext text/x-wiki '''T227-GNB''' is an [[w:Multiverse|Omniverse]], named after [[https://oeis.org/A000227 OEIS A000227]]. It consists of at least 104 Layers of Multi- or Universes (Shortened to just Universes in most articles), where the number of Universes per layer is asymptotically equal to a(n) in OEIS A000227, meaning the absolute error gets, on average, lower every layer. '''The idea is not attributable to [[Nora2605|The Creator]].''' It is likely to be a mathematical byproduct bubble dimension of [[https://oeis.org/A000722 T722]]. == Terminology == A Layer is a Depth level of the tree starting at the Layer 0, which might havea single world called The 0-Index. The actual location, Layer and Existence of the 0-Index is unknown. By continuation of the A000227 series [[U1]] is hypothesised to be at Layer 16, which is the highest and also base of the rest of the [[Chronii Project|12 Us]] A World is a Multiverse or Universe, governed by its own set of rules. Generally the lower the Layer number, the more complex the rules are. == Layers == The layer structure starts at Layer 0, which might contain a single Universe, called The 0-Index (hypothetical). Layer 0 is "up" in this article, as per a tree view with a root node. Worlds are interconnected to neighboring layers, by a non-injective upwards relationship, meaning many worlds from layer n+1 can map to one world from layer n. == Governing Rules == This article is by observation only. Worlds are leavable upwards. If one "solves" a world, so to say, that entity, consciousness or idea is transferred to the world its connected to in the layer n - 1. They may gain abilities from this ascension. The ascension from Layer 20 to 16 by summoning undergone by [[Nora2605|The Creator]] gave a seperate dimension to house her consciousness. The Omniverse exhibits living behaviour: * Energy metabolism; converts generalized entropy into imaginary energy. * Self regulation; Universes are hypothesised to replace themselves and undergo a cell cycle. Multiple have been observed to (at least) reallocate their graph direction by gravitational wave observation in the void inbetween worlds. * Feeling; No evidence has been found to support this * Reproduction; It would make mathematical sense if the T227 Omniverse was a byproduct (child) of one following A058738. * Heritage; Might consist of the growth function of the Layers. * Growth; Not observed. Layer sizes are not fixed. Only the minimum layer number and a minimum of worlds per layer is known. The 0-Index follows from only the continuation of the series. == Numbers == {| class="wikitable" |+ Estimated Layer sizes |- ! Layer !! Worlds |- | 16 || ~8,886,000 |- | 120 || ~1.3 * 10^53 |} 95da0838e70bb697a1572eade96bae504d87380a 394 392 2023-06-16T17:50:25Z Nora2605 2 wikitext text/x-wiki '''T227-GNB''' is an [[w:Multiverse|Omniverse]], named after [[https://oeis.org/A000227 OEIS A000227]], nicknamed "Grand neighborhood B-Tree". It consists of at least 104 of Multi- or Universes, which are interconnected in an unknown manner. '''The idea is not attributable to [[Nora2605|The Creator]].''' It was initially proposed it was a mathematical emergence, a byproduct bubble dimension of [[https://oeis.org/A000722 T722]]. Additionally, neither the B-Tree nor the A000227 Series have been confirmed to have anything to do with the structure. == Terminology == A World is a Multiverse or Universe, governed by its own set of rules. Generally the lower the Layer number, the more complex the rules are. A Layer is a Depth level of the tree. Layer numbers might not be unique, as there may be multiple paths in the graph. == Governing Rules == Worlds are connected by a non-injective graph. A world can be left towards another world if certain criteria<ref>Unknown</ref> are met. 130 Individuals have ascended to [[The Council]], 104 of them from unique origin worlds. If one "solves" a world, that entity, consciousness or idea is transferred to the world its connected to in the directed graph. They may gain abilities from this ascension. The ascension from Layer 20 to 16 by summoning undergone by [[Nora2605|The Creator]] gave a seperate dimension to house her consciousness. The maximum ascension steps so far were said to be 25.<ref>Basically Hearsay. Attributed to [[Jesira]]</ref> 1cd23cd00d91454d37b82b338fa2030901dba52b 440 394 2023-09-26T08:37:01Z Nora2605 2 wikitext text/x-wiki '''T227-GNB''' is an [[w:Multiverse|Omniverse]], named after [[https://oeis.org/A000227 OEIS A000227]], nicknamed "Grand neighborhood B-Tree". It consists of at least 104 of Multi- or Universes, which are interconnected in an unknown manner. '''The idea is not attributable to [[Nora2605|The Creator]].''' It was initially proposed it was a mathematical emergence, a byproduct bubble dimension of [[https://oeis.org/A000722 T722]]. Additionally, neither the B-Tree nor the A000227 Series have been confirmed to have anything to do with the structure. == Terminology == A World is a Multiverse or Universe, governed by its own set of rules. Generally the lower the Layer number, the more complex the rules are. A Layer is a Depth level of the tree. Layer numbers might not be unique, as there may be multiple paths in the graph. == Governing Rules == Worlds are connected by a non-injective graph. A world can be left towards another world if certain criteria<ref>Unknown</ref> are met. 130 Individuals have ascended to [[The Council]], 104 of them from unique origin worlds. If one "solves" a world, that entity, consciousness or idea is transferred to the world its connected to in the directed graph. They may gain abilities from this ascension. The ascension from Layer 20 to 16 by summoning undergone by [[Nora2605|The Creator]] gave a separate dimension to house her consciousness. The maximum ascension steps so far were said to be 25.<ref>Basically Hearsay. Attributed to [[Jesira]]</ref> == Legend == As multiple different layers of universes and distinctness are known, an effort was made to accurately map out all of existence. Letters are used to describe the layer, a number to describe the specific element. lowercase letter - single ~ capital letter/double letter - a group of ~ triple letter - subset of ~ * u - multiverse * t - omniverse * v - universe * w - timeline * x - galaxy * y - solar system * z - planet * a - continent * b - political/geographical district or country * c - commune * d - household * e - lifeform * f - reaction cell * g - base compound * h - common indivisible * i - field quantum * j - TOE block * k - ? * l - force * m - rule * n - computer * o - compiler * p - programm * q - instruction set * r - logic Humanity is therefore (quite egocentrically but by standard) defined as t0-u0-v0-x0-y0-z3-A0-e2, where t0 is equivalent to t227-gnb due to conflicting historical naming conventions. 0ae9158c1e0f8b1719e9e14229f42354b31b2286 Nora2605 0 200 393 381 2023-06-15T15:59:13Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name=Nora Judith Felicitas |gender=female |age=1307 |birth_date=XXXX/05/26 |birth_place=[Redacted] |nationality=German |other_names=* Queen of the Northern seas * The creator |known_for=[[Chronii Project]] |home_town=[Redacted] |height=1.75 m |weight=51 kg |hair=dark blonde |eyes=blue |sexual_orientation=bisexual |romantic_orientation=panromantic |parents=[Redacted] |biological_parents=[Redacted] |siblings=[Redacted] |grandparents=[Redacted] |close_friends=[Redacted] |others=Creations: [[:Category:Character]] }} '''Nora2605''' also known as '''Nora''', '''The creator''', '''The Queen of Northern seas''', '''NJFA''', '''NonoCreeper30''' and her full name '''Nora Judith Felicitas [Redacted]''' is the Documentator and only First person Teller of the Chronii Project, in which she is herself a character residing in primarily [[V0]] but also making appearances in [[Chronii Project|U1 through 12]]. 2db8d169e6220ba93f74579e5fcdce9fedb7f5c0 438 393 2023-09-26T08:26:53Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name=Nora Judith Felicitas |gender=female |age=1307 |birth_date=XXXX/05/26 |birth_place=[Redacted] |nationality=German |other_names=* Queen of the Northern seas * The creator |known_for=[[Chronii Project]] |home_town=[Redacted] |height=1.75 m |weight=51 kg |hair=dark blonde |eyes=blue |sexual_orientation=bisexual |romantic_orientation=panromantic |parents=[Redacted] |biological_parents=[Redacted] |siblings=[Redacted] |grandparents=[Redacted] |close_friends=[Redacted] |others=Creations: [[:Category:Character]] }} '''The Creator''' also known as '''Nora''', '''Nora2605''', '''The Queen of Northern seas''', '''NJFA''', '''NonoCreeper30''' and her full name '''Nora Judith Felicitas [Redacted]''' is the Documentator and only First person Teller of the Chronii Project, in which she is herself a character residing in primarily [[V0]] but also making appearances in [[Chronii Project|U1 through 12]]. 83270d7111a3ab8c880f686ed71596698c3563b7 Template:Infobox location 10 205 395 2023-06-16T22:49:56Z Nora2605 2 Created page with "<infobox> <title source="name"><default>{{PAGENAME}}</default></title> <image source="image"><caption source="caption"></caption></image> <group> <header>Location Details</header> <data source="description"><label>Description</label></data> <data source="type"><label>Type</label></data> <data source="location"><label>Location</label></data> </group> <group> <header>Features</header> <data source="notable..." wikitext text/x-wiki <infobox> <title source="name"><default>{{PAGENAME}}</default></title> <image source="image"><caption source="caption"></caption></image> <group> <header>Location Details</header> <data source="description"><label>Description</label></data> <data source="type"><label>Type</label></data> <data source="location"><label>Location</label></data> </group> <group> <header>Features</header> <data source="notable_landmarks"><label>Notable Landmarks</label></data> <data source="population"><label>Population</label></data> <data source="climate"><label>Climate</label></data> </group> </infobox> 959791d114c705777eb2a47b5a2e8c624477c267 File:The Council.png 6 206 396 2023-06-16T22:59:30Z Nora2605 2 wikitext text/x-wiki The space station of the Council 21c87568aaa4235e958c2d09f0e6d5a09f5a5314 The Council 0 207 397 2023-06-16T23:08:58Z Nora2605 2 Created page with "{{Infobox location |name=The Council |image=[[File:The Council.png]] |description=Space station of The Council |type=Sattelite |location=Orbiting [[H34]] }} '''The council''' is a location orbiting [[H34]] all 50 days at around the distance to the [[H34#Moon|Moon]], as well as the group inside of the structure. == Space station == The structure is 1 km x 1 km x 1.3 km large. It is equipped with a lot of sensors, mainly a large sattelite dish, as well as a small gravit..." wikitext text/x-wiki {{Infobox location |name=The Council |image=[[File:The Council.png]] |description=Space station of The Council |type=Sattelite |location=Orbiting [[H34]] }} '''The council''' is a location orbiting [[H34]] all 50 days at around the distance to the [[H34#Moon|Moon]], as well as the group inside of the structure. == Space station == The structure is 1 km x 1 km x 1.3 km large. It is equipped with a lot of sensors, mainly a large sattelite dish, as well as a small gravitational wave detector. It is propelled using light sails. It has been orbitting [[H34]] for about 12000 years. Its origins are not from [[U1]], materials for it were foraged from the moon. The interior features dorm rooms for every member of the council, as well as a farm for nutritious resources. The curved tetrahedral structure on the left (See above image) contains a large library. There is also a meeting hall, computer rooms, a few classrooms and a restaurant lobby. == Organization == The Council consists of people who have come to [[U1]] by Ascension<ref>See [[T227-GNB]]</ref>. Since they are all stuck on the same Universe, they decided to team up and search for a solution while acting as an [[w:The Eminence in Shadow|Eminence in Shadow]] for the Rest of the World. 42ed3c34faad7a7bda4f1fa18492f5d713d85feb 399 397 2023-06-16T23:17:19Z Nora2605 2 /* Organization */ wikitext text/x-wiki {{Infobox location |name=The Council |image=[[File:The Council.png]] |description=Space station of The Council |type=Sattelite |location=Orbiting [[H34]] }} '''The council''' is a location orbiting [[H34]] all 50 days at around the distance to the [[H34#Moon|Moon]], as well as the group inside of the structure. == Space station == The structure is 1 km x 1 km x 1.3 km large. It is equipped with a lot of sensors, mainly a large sattelite dish, as well as a small gravitational wave detector. It is propelled using light sails. It has been orbitting [[H34]] for about 12000 years. Its origins are not from [[U1]], materials for it were foraged from the moon. The interior features dorm rooms for every member of the council, as well as a farm for nutritious resources. The curved tetrahedral structure on the left (See above image) contains a large library. There is also a meeting hall, computer rooms, a few classrooms and a restaurant lobby. == Organization == The Council consists of people who have come to [[U1]] by Ascension<ref>See [[T227-GNB]]</ref>. Since they are all stuck on the same Universe, they decided to team up and search for a solution while acting as an [[w:The Eminence in Shadow|Eminence in Shadow]] for the Rest of the World. They typically wear uniform. [[File:CouncilOutfit.png|thumb|right|200px|Outfit of the Council]] The uniform consists of simple underlying clothes and a robe, that is red on the left and rainbow on the right. === Power structure === Decision in the council are held by an absolute majority vote. Every member of the council has a job, but no one has authority over the other because of their job. The representative of the Council to the outside world currently is [[II16]]. 612f1494ef77489272dd9266689e41dc8a31a49d File:CouncilOutfit.png 6 208 398 2023-06-16T23:13:47Z Nora2605 2 wikitext text/x-wiki Outfit of the Council a6d821c3e8740024dc833ac8608c805f256b4084 Immortality 0 209 400 2023-06-17T16:13:23Z Nora2605 2 Created page with "'''Immortality''' is a property of a living individual, which, in different forms, may guarantee the life of the individual under certain circumstances, most commonly time. There are different ways this can be executed as well as different circumstances this immortality extends to. == Immortalities (by circumstance) == === Age Immortality === Age Immortality describes Immortality regarding time and/or age. The Individual might be immune to aging effects, but is guaran..." wikitext text/x-wiki '''Immortality''' is a property of a living individual, which, in different forms, may guarantee the life of the individual under certain circumstances, most commonly time. There are different ways this can be executed as well as different circumstances this immortality extends to. == Immortalities (by circumstance) == === Age Immortality === Age Immortality describes Immortality regarding time and/or age. The Individual might be immune to aging effects, but is guaranteed to not die of natural aging. === Damage Immortality === Damage Immortality is Immortality with which the Possessor is immune to dying by physical damage. === Limited Immortality === Limited immortality generally describes Immortality, with a certain set of weaknesses, e.g. a body part, magic spell, etc. Any combined Immortality of Age, Damage and Limited Immortality equals Limited Immortality. === Absolute Immortality === An individual with this property can not under any circumstance "die". "To die" might mean their consciousness, body, or something more abstract. == Immortalities (by mechanism) == === By Solid State === Immortality by solid state is Immortality, where the container/body of the possessor is not changing, or only minimally changing, so that no aging and/or decomposing takes place. === By Self Repair/Resurrection === Possessors of this type of immortality can take damage, though it is repaired, no matter how severe. Death might occur temporarily. === By Rebirth === Should death occur to the possessor from any cause, the mind or entity is transported back to an earlier stage of (their) life, keeping the substance of itself, for example the memories or consciousness. A special ability might fall under this category as well. === By Immunity to Harm === This Type of Immortality guarantees the container of- or the possessor itself to not be able to be harmed. It therefore cannot die by outer efforts. === By abstraction === Immortality by abstraction is a mechanism which may hide the real point where death may occur behind the possessor, which acts as a delegate for the immortal property. This may include but is not limited to: * Keeping your consciousness in an untouchable area, therefore granting the idea of your being Immunity to Harm * Spreading the consciousness across multiple containers * Indestructible information heritage This type is typically not really absolute immortality, but can be really close to it. 154b1165fda90351c176014b6b3c83fc5d10daac File:Gott.png 6 210 401 2023-06-17T16:41:21Z Nora2605 2 wikitext text/x-wiki Concept image of Gott 0651bc4ac5eec099b4803ba85f7b2a25c88bc665 Gott (U2) 0 211 402 2023-06-17T16:43:55Z Nora2605 2 Created page with "(Not to be confused with [[w:Deity|God/Deity]] or [[:Category:God_Systems]]) {{Infobox person |name=Gott Derwelt |image=[[File:Gott.png]] |caption=Concept Drawing of Gott |gender=Male |age=~6000 |birth_name=Gott |birth_date=????/05/05 |birth_place=[[God World]] |death_date=8232/05/05 |other_names=* God * God of Worlds X |occupation=Being God |years_active=~5400 |known_for=Creating Humanity |height=2.30 m |weight=Not measurable |hair=white |eyes=blue |sexual_orientation=..." wikitext text/x-wiki (Not to be confused with [[w:Deity|God/Deity]] or [[:Category:God_Systems]]) {{Infobox person |name=Gott Derwelt |image=[[File:Gott.png]] |caption=Concept Drawing of Gott |gender=Male |age=~6000 |birth_name=Gott |birth_date=????/05/05 |birth_place=[[God World]] |death_date=8232/05/05 |other_names=* God * God of Worlds X |occupation=Being God |years_active=~5400 |known_for=Creating Humanity |height=2.30 m |weight=Not measurable |hair=white |eyes=blue |sexual_orientation=heterosexual |romantic_orientation=heteroromantic |spouse=[[Ymir (U2)]] |children=[[Jesa]] |parents=unknown |siblings=[[Jahweh]] |close_friends=* [[Kleopatrus]] * [[Tempest]] * [[Helios]] }} '''Gott''' is the name of a [[God System (U2)|God]] inside U2. From Year ~2800 - 8232 he was the [[God_System_(U2)#The Seven|God of Worlds]]. He was one of the major creators of the Human Race as well as some other species of mammals. He was married to [[Ymir (U2)]] and they had a child called [[Jesa]]. The last name Derwelt corresponds to the title of God of Worlds. e5869c68995fc098887fe4ea2f2b2712129a583b Gott 0 212 403 2023-06-17T17:16:40Z Nora2605 2 Redirected page to [[Gott (U2)]] wikitext text/x-wiki #REDIRECT [[Gott (U2)]] b46864969532a15137d4a9f4db59dbf7e11cc776 God System (U2) 0 213 404 2023-06-17T18:40:59Z Nora2605 2 Created page with "The God System in [[U2]] is a polytheistic system, which consists of Gods with dedicated powers and responsibilities. == History and Workings == === Emergence === The Gods originated from a single egg, about 200000 years ago. <blockquote author="Henri Aethre Bahra"> At the beginning there was nothing, an egg got into existence, out of it hatching the first god of worlds. It became sentient over a long not yet found concept of time and created the Universe. - Henri..." wikitext text/x-wiki The God System in [[U2]] is a polytheistic system, which consists of Gods with dedicated powers and responsibilities. == History and Workings == === Emergence === The Gods originated from a single egg, about 200000 years ago. <blockquote author="Henri Aethre Bahra"> At the beginning there was nothing, an egg got into existence, out of it hatching the first god of worlds. It became sentient over a long not yet found concept of time and created the Universe. - Henri Aethre Bahra, [[On The Existence of Gods]] </blockquote> === The first 7 === The History of the Universe began with the First God spontaneously emerging from an egg into an empty world. This God was nicknamed Origos. It then created the universe and split its being into 7 main Gods capable of reproduction. The 7 consist of * God of Judgement * God of Space * God of Time * God of Worlds * God of Atomos * God of Light * God of Death for a long period of time these 7 just worked on the physical foundations of the Universe. === Inheritance === Some created their children manually, some created spouses for themselves. No one of the 7 may ever be without a descendant, for the power of a 7 can not be lost and could cause one of the 7 to inherit 2 of the 7s Powers, resulting in a [[w:Disaster|Calamity]]. The God-Power inside children grows as the acestors powers shrink. In case of multiple descendants the Power of the 7 is randomly attributed to one, the others gaining related powers. The first power that was not one of the 7 stemmed from the second child of the First God of Light, becoming the God of Electricity. The 7 always died within very precise periods of time, that were different for all power inhibitors, yet being close enough together so as to categorize different periods by the current acting 7. === The 19000 Calamity === This was during the Time Hell was formed. The opinions were very split and The God of Space, Light, Worlds and Death stood against the Gods of Time, Atomos and Judgement for 1000 years, until the Noha, the God of Judgement that Time crafted the Legendary Courtroom and caused the Calamity of Judgement, as the power of the Courtroom could lay a temporary barrier on a Gods power. The God of Death could not be affected by this, so it sealed and later killed Noha, after himself crafting an artifact. This lead to the Creation of the 7 Legendary Artifacts and a drastic redistribution of the 7s powers. === Earth === In the 9th 7th Cycle The earth was added to the universe, a round ball made with the foundations of gravity previously invented by the God of Space. This was in Year 0. == Social and Regent Structure == === The 7 === The 7 are the formal regents of the Gods. The next regents are decided either by inheritance or by a ritual, if the respective God does not bear any children. The 7 are the only Gods with last names. {| class="wikitable" |+ Titles and reponsibilities of the 7 |- ! Member of the 7 !! Title/Last name !! Responsibility |- | God of Judgement || Jurier || Ruling decisions internally |- | God of Space || Raum || Keeping Space intact |- | God of Time || Zeit || Keeping the flow of time stable |- | God of Worlds || Derwelt || Responsible for Creation |- | God of Atomos || Partikel || Caring for the Microcosm |- | God of Light || Deslicht || Managing Energy |- | God of Death || Todletus || Executive |} The following is a table of the Cycles of the 7 throughout the years. {| class="wikitable" |+ Caption text |- ! Time period !! God of Judgement !! God of Space !! God of Time !! God of Worlds !! God of Atomos !! God of Light !! God of Death |- | 200000 - 100000 vWC || None || None || None || Origos || None || None || None |- | 100000 - 72000 vWC || Gerich || Ronorf || Baldigar || Yang || MCO01 || Lumine || Letem |- | 72000 - 49000 vWC || Unknown || Unknown || Unknown || R || MCO02 || Stelle || Tart |- | 49000 - 20000 vWC || Unknown || Unknown || Unknown || S || MCO03 || Aether || Tanor |- | 20000 - 19000 vWC || Noha || No name || Uur || Evan || MCM || Caelus || Anub |- | 19000 - 12000 vWC || Unknown || Unknown || Unknown || Alex || No name || Lux || Shwala |- | 12000 - 10000 vWC || Liber || Unknown || Unknown || IX || No name || Zhulong || Tuoni |- | 10000 - 7000 vWC || Xanadou || Unknown || Unknown || Eon || Atomos || Celeste || Hel |- | 7000 - 2000 vWC || Eiki || Unknown || Unknown || Mjirjia || Atomos II || Aurora || Freija |- | 2000 vWC - 4000 nWC || Shiki || Senter || Thyme || No name || Atomos III || Ushas || Yama |- | 4000 - 8230 || [[Richter]] || [[Raum]] || [[Zeit]] || [[Gott]] || [[Teilchen]] || [[Licht]] || [[Tod]] |- | 8230 - 9200 || Erik || Arkus || [[Tabea]] || [[Jesa]] || Schrödinger || Zir || John |- | 9200 - 9400 || Maam || Leonard || [[Abs]] || [[Jesus]] || Heisenberg || Einstein || Jeff |- | 9400 - 18000 || [[Sebastian (U2)|Sebastian]]||[[Sheldon]]||Ronja || [[Jesira]] || [[Dirac]] || Curie || [[Julia (U2)|Julia]] |} Note: Regents are not always direct children of the last ones. === Greater Gods === Greater Gods rule over a Topic, Class or abstract Word. They have a lot of power and are often the result of 2 of the 7 having a child, although they can emerge from any god's children with lesser propability. They're often helpers of the 7 in various things. === Lesser Gods === These Gods rule over a specific Epithet or Thing. They're the most common type of God and make up 90% of the population. === Angels === Angels are Subgods that are created from Bodiless souls. They act as a Suicide prevention and terrestrial affairs organization. They may decide to become Demons and vice versa. === Demons === Demons, as Angels, are Subgods that are created from Bodiless Souls. They keep things organized in [[#Hell|Hell]]. === The Devil === The Devil is the formal Regent of hell. The devil is not a demon, but a Greater God, having the Topic "Hell" or "Afterlife". == Abilities == === The Artifacts === The 7 legendary artifacts are powerful items crafted by the 7 during and after the [[#The 19000 Calamity|19000 Calamity]]. They consist of: * The absolute Clock (Crafted by Uur) ** It can detect Time travelling and keeps the Time structure itself stable. * The Hell's Portal (Crafted by the God of Space) ** It teleports entities and goods from the God World to the Hell Domain. * The Heavenly Court (Crafted by Noha) ** It has the ability to judge over Gods and the 7 itself * The World Egg (Crafted by Evan) ** Can reset the World in case of emergency, including the God World. Hell and the Legendery Artifacts are excluded. * Ethereal Sun (Crafted by Lux) ** The Ethereal Sun provides terrestrial Energy for the Gods use. It can support up to 7 Primordial Gods (The 7), 49 Greater Gods and 256 Lesser Gods. * The primordial Particle (Crafted by MCM) ** It stores the physical information of everything. It makes up the entirety of the terrestrial universe per analogue of the [[w:One-Electron Universe|One-Electron Universe]]. * The God's Scythe (Crafted by Anub) ** The only physical weapon that can seal and/or kill a god. === Lifespan === Most gods live from 800 - 8000 years. They are [[Immortality|Immortal by Immunity to Damage]], not Age. During Death they lose their powers. Once the power has left the God, they either turn to Stone (Greater Gods) or Ashes (most lesser Gods). A subordinate of the Death God usually buries these remains in the Shinigami Valley. === The 7's Abilities === All Gods of the 7 can: * See the topic/epithet of all Gods * Interfere with the terrestrial world * Move through Space freely (flight) * Decide a humans fate, promote one to god * All of the Less powerful Gods abilities Specific abilities are: * Create Laws (that are impossible to break) for Gods following an absolute majority vote of the affected (God of Judgement) * Create Pocket Dimensions, large scale terraforming (God of Space) * Travel through Time (God of Time) * Creation of Life (God of Worlds) * Altering of Physics (God of Atomos) * Create Celestial Bodies (God of Light) * Destroy Souls that have a Body, Kill Lesser Gods (God of Death) === Less powerful Gods === Less powerful Gods can: * Control everything terrestrial about their given regent topic * Procreate with other Gods == Locations == === God World === Physically located on the Sun-directed side of Venus, the God World is the main residence of the Gods. It consists of a main platform connected via bridges to 7 Islands corresponding to the 7. ==== 7 Islands ==== The 7 Islands each contain one of the Legendary Artifacts corresponding to the Inhabitant of the Island. The Island of Death is also home to most Gods, as the primary God residence is there. Other islands mostly contain workplaces. ==== Shinigami Valley ==== This is the Graveyard of the Gods, where Gods are buried after they turn to stone or ash by the Shinigami/Subordinates of the Death God. === Hell === This is the main powerplant of the earth and physically located inside it. Before the Earth existed, Hell was a purely mechanical construction overseen by some Lesser Gods. It had the function to create the Earths magnetic field and Warmth inside the Earth. It is powered by one of MCO03s Creations; the Hell's heart. It runs on Harmony. Once the human race was born, bad sinners of the 7 deadly sins were sent to Hell and 7 chambers were made. In each of the 7 chambers, the respective sinners were tasked with making a society that is harmonious. The sinners life durations are inversely proportional to how nice they are in the afterlife. After death, souls from hell are reincarnated. While the sinners choose what to do, they get punished for repeated sinning by the Demons. The 7 chambers are located below the 9-layered abyss, which is connected via a huge staircase and labyrinth to the Hell portal. From top to bottom the layers are: * 7 Chambers: ** Gluttony Chasm ** Sloth Section ** Envy Tunnel ** Lust Alley ** Pride District ** Greed Hall ** Wrath Road * Demon residence * Devil's basement (actually just a beauro) They're connected by the Infinite Staircase. [[Category:God Systems]] 80e9cec0b354565558be49c435f9e4a60a4d4dc4 God World 0 214 405 2023-06-17T18:44:01Z Nora2605 2 Redirected page to [[God System (U2)#God World]] wikitext text/x-wiki #REDIRECT [[God_System_(U2)#God World]] 08a66c4b4ae82f04ec174170ac0d360e8a5a0ef3 File:KackbüddlTower.png 6 215 406 2023-06-17T18:50:04Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Kackbüddl Tower 0 216 407 2023-06-17T18:50:38Z Nora2605 2 Created page with "[[File:KackbüddlTower.png|thumb|right]] '''The Kackbüddl Tower''' is the tower made by the Giant automated Building Project of 7777. The development was led by [[Erhard Kackbüddl]], whose name it bears. On top of it is a portal to the [[God World]]." wikitext text/x-wiki [[File:KackbüddlTower.png|thumb|right]] '''The Kackbüddl Tower''' is the tower made by the Giant automated Building Project of 7777. The development was led by [[Erhard Kackbüddl]], whose name it bears. On top of it is a portal to the [[God World]]. 48d816054254575a688fa9de5b2cf07684e76b00 Soul (U2) 0 217 408 2023-06-17T19:02:57Z Nora2605 2 Created page with "Souls in [[U2]] are in every living being except Gods. Gods cannot harm Souls, except for the God of Worlds. He can only eradicate specific geni of souls though. Souls carry energy not describable. Up until the unification of the human with the god world, living beings always had one and only one soul. This changed when Gods started having children together with humans. These children carry 2 souls, and if human or god depends on the species of the mother. Since souls di..." wikitext text/x-wiki Souls in [[U2]] are in every living being except Gods. Gods cannot harm Souls, except for the God of Worlds. He can only eradicate specific geni of souls though. Souls carry energy not describable. Up until the unification of the human with the god world, living beings always had one and only one soul. This changed when Gods started having children together with humans. These children carry 2 souls, and if human or god depends on the species of the mother. Since souls displayed some kind of power some families did breeding with the goal of getting children with the most souls, especially an aristocratic family in Bosnia and Herzegowina. Ethemin, the result of this, has 6 souls. A soul can only be destroyed by the Death God or his Shinigamis. A soul "dies" when it leaves the body. A soul can infuse materials if it's channeled after the host dies. [[Category:U2]] [[Category:Soul_Systems]] 99aabccdd6795b842e8e3269e6a48fc6c607c9ca Yu-Wen Zhongshiu 0 218 409 2023-06-17T19:04:45Z Nora2605 2 Created page with "'''Yu-Wen Zhongshiu''' was the CTO and CIO of [[Kackbüddl|Kackbüddl Inc.]]. He had major contributions at the design and software of the building project and was a personal best friend of [[Erhard Kackbüddl]]." wikitext text/x-wiki '''Yu-Wen Zhongshiu''' was the CTO and CIO of [[Kackbüddl|Kackbüddl Inc.]]. He had major contributions at the design and software of the building project and was a personal best friend of [[Erhard Kackbüddl]]. 05c7796a85d4545a77b1a6993625b88833727bab Kratar Kanukisch 0 219 410 2023-06-17T19:07:07Z Nora2605 2 Created page with "'''Kratar Kanukisch''' was the CAO of [[Kackbüddl|Kackbüddl Inc.]]. He was a man of fine detail and put his heart and soul into the work at the company, for work's sake." wikitext text/x-wiki '''Kratar Kanukisch''' was the CAO of [[Kackbüddl|Kackbüddl Inc.]]. He was a man of fine detail and put his heart and soul into the work at the company, for work's sake. 1ea749bbe03aa0bec5918ae751648639848a8118 Steven Nilsen 0 220 411 2023-06-17T19:08:10Z Nora2605 2 Created page with "'''Steven Nilsen''' was the CFO of [[Kackbüddl|Kackbüddl Inc.]]. He found his job very depressing, because all the money was going out the window." wikitext text/x-wiki '''Steven Nilsen''' was the CFO of [[Kackbüddl|Kackbüddl Inc.]]. He found his job very depressing, because all the money was going out the window. 3a5e5206b9d3bf1e180e8a16e7904730c1442b45 Jaimi Markwardt 0 221 412 2023-06-17T19:09:06Z Nora2605 2 Created page with "'''Jaimi Markwardt''' was the COO of [[Kackbüddl|Kackbüddl Inc.]] and one of the main planners of the Soul harvest in 7777. He was a sadist." wikitext text/x-wiki '''Jaimi Markwardt''' was the COO of [[Kackbüddl|Kackbüddl Inc.]] and one of the main planners of the Soul harvest in 7777. He was a sadist. 42b52ff93c9a36b0b4d89fe6cd52e1560884f436 Giancarlo Henrial 0 222 413 2023-06-17T19:15:08Z Nora2605 2 Redirected page to [[Henri Aethre Bahra]] wikitext text/x-wiki #REDIRECT [[Henri_Aethre_Bahra]] 0d2f44e63208999f79969ae0b861f5693c30026e File:Henri.png 6 223 414 2023-06-17T19:26:35Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Henri Aethre Bahra 0 224 415 2023-06-17T19:45:56Z Nora2605 2 Created page with "'''Henri Aethre Bahra''' was an over 4000 year old entitiy from ancient babylonia, that gained [[Immortality#By_Rebirth|Immortality by Rebirth]] after a contact with God during the Events of the Tower of Babel. {{Infobox person |name=Henri Aethre Bahra |image=Henri.png |caption=Henri originally, as Giancarlo and as Artificial Human |gender=Different, originally male |age=>4000 |birth_name=Henri Aethre Bahra |birth_date=09/09 Around 4000 nWC |birth_place=Babylonia |death..." wikitext text/x-wiki '''Henri Aethre Bahra''' was an over 4000 year old entitiy from ancient babylonia, that gained [[Immortality#By_Rebirth|Immortality by Rebirth]] after a contact with God during the Events of the Tower of Babel. {{Infobox person |name=Henri Aethre Bahra |image=Henri.png |caption=Henri originally, as Giancarlo and as Artificial Human |gender=Different, originally male |age=>4000 |birth_name=Henri Aethre Bahra |birth_date=09/09 Around 4000 nWC |birth_place=Babylonia |death_date=8000/09/10 |death_place=[[Kackbüddl_Tower]] |nationality=Different |other_names=Giancarlo Henrial |known_for=The [[Kackbüddl_Tower]] |notable_works=[[On the Existence of Gods]] |sexual_orientation=pansexual |romantic_orientation=panromantic |spouse=Current: None |children=Multiple across history |close_friends=[[Yu-Wen Zhongshiu]], [[Erhard Kackbüddl]] }} == Tower of Babel == <blockquote>A normal day at work. We are about to surpass the 30th kilometer. So far, the tower has been a complete success. My colleague Henri accompanies me to the highest floor of the tower, our workplace, as he does every day for the past 3 years. "How are you?" I attempt to start a conversation. "Oh, can't complain," he repositions the building materials in his hand, "and you?" "Yeah, doing well too." On a mundane level, we continued our conversation, as we didn't have much else to do. Once we reached the current highest floor, we began our work. Brick by brick. Eight hours a day, as commanded by the king. "Henri, have you seen my hammer?" Incomprehensible words echoed from the other side. "What?" I shouted back, looking at him. He was already staring at me, puzzled. I repeated myself a few more times, but it didn't seem to be a matter of volume. I was unaware of what was happening. Voices from all around me came, their meaning indecipherable. The work of the Lord? In that moment of thought, a bright light seemed to descend from above. It was impossible to see what lay beyond the light; one would go blind attempting to look at it. "I am disappointed," a loud, omnipresent voice sounded. "My creation seeks to reach me through a ridiculous tower? Whose idea was this sin?" I looked around. Everyone was fixated on the light, except Henri; he was still looking at me. This phenomenon could only be a divine messenger. The light approached the king's palace. "You." "Repent." The king appeared at the highest point of the tower, five meters away from me, leaving his jewelry and robe on the tower. "Jump." The king, devoid of any emotions, threw himself into the abyss. Everything went black. My next memory was on the marketplace in the city. The tower could be seen collapsing in the distance. Writers all around were taking notes. I began searching for Henri in the crowd... <b>- Story of Henri from second person</b> </blockquote> After these events Henri became immortal by rebirth. == Research == As he had seen God, he fled from Babylonia and began searching in other civilizations for clues about the existence of God. Over 4000 years, he learned hundreds of languages, kept archiving his research in secret places where he would later travel to. What he found out is summarized in the Article [[On the Existence of Gods]]. == As Giancarlo == He met [[Kackbüddl]], a rich business man with a small building company, and he knew he had a chance in modern world to rebuild the Tower of Babel. Together with him he published [[On the Existence of Gods]] and began to initiate a giant building project (More details in Kackbüddl's Article). To free himself of his body that would let him die at least every century, he infused his soul into an artificial body he built himself in his life as an engineer in the 77th century. == Last years == After the combination of the God World and Earth he felt like he was accomplished, and through his contact with [[Gott]] he managed to get the God of Death get his Soul out of him, for destruction. As his soul had collected a huge amount of energy over the years and the wisdom was very valuable, the God of Atomos chambered a lifeless version of Henris consciousness in the information of the Primordial Particle. 582b25a6490d9b424934737986e0275bd653fd69 436 415 2023-09-24T00:08:27Z Nora2605 2 wikitext text/x-wiki '''Henri Aethre Bahra''' was an over 4000 year old entitiy from ancient babylonia, that gained [[Immortality#By_Rebirth|Immortality by Rebirth]] after a contact with God during the Events of the Tower of Babel. {{Infobox person |name=Henri Aethre Bahra |image=Henri.png |caption=Henri originally, as Giancarlo and as Artificial Human |gender=Different, originally male |age=>4000 |birth_name=Henri Aethre Bahra |birth_date=09/09 Around 4000 nWC |birth_place=Babylonia |death_date=8000/09/10 |death_place=[[Kackbüddl Tower]] |nationality=Different |other_names=Giancarlo Henrial |known_for=The [[Kackbüddl Tower]] |notable_works=[[On the Existence of Gods]] |sexual_orientation=pansexual |romantic_orientation=panromantic |spouse=Current: None |children=Multiple across history |close_friends=[[Yu-Wen Zhongshiu]], [[Erhard Kackbüddl]] }} == Tower of Babel == <blockquote>A normal day at work. We are about to surpass the 30th kilometer. So far, the tower has been a complete success. My colleague Henri accompanies me to the highest floor of the tower, our workplace, as he does every day for the past 3 years. "How are you?" I attempt to start a conversation. "Oh, can't complain," he repositions the building materials in his hand, "and you?" "Yeah, doing well too." On a mundane level, we continued our conversation, as we didn't have much else to do. Once we reached the current highest floor, we began our work. Brick by brick. Eight hours a day, as commanded by the king. "Henri, have you seen my hammer?" Incomprehensible words echoed from the other side. "What?" I shouted back, looking at him. He was already staring at me, puzzled. I repeated myself a few more times, but it didn't seem to be a matter of volume. I was unaware of what was happening. Voices from all around me came, their meaning indecipherable. The work of the Lord? In that moment of thought, a bright light seemed to descend from above. It was impossible to see what lay beyond the light; one would go blind attempting to look at it. "I am disappointed," a loud, omnipresent voice sounded. "My creation seeks to reach me through a ridiculous tower? Whose idea was this sin?" I looked around. Everyone was fixated on the light, except Henri; he was still looking at me. This phenomenon could only be a divine messenger. The light approached the king's palace. "You." "Repent." The king appeared at the highest point of the tower, five meters away from me, leaving his jewelry and robe on the tower. "Jump." The king, devoid of any emotions, threw himself into the abyss. Everything went black. My next memory was on the marketplace in the city. The tower could be seen collapsing in the distance. Writers all around were taking notes. I began searching for Henri in the crowd... <b>- Story of Henri from second person</b> </blockquote> After these events Henri became immortal by rebirth. == Research == As he had seen God, he fled from Babylonia and began searching in other civilizations for clues about the existence of God. Over 4000 years, he learned hundreds of languages, kept archiving his research in secret places where he would later travel to. What he found out is summarized in the Article [[On the Existence of Gods]]. == As Giancarlo == He met [[Kackbüddl]], a rich business man with a small building company, and he knew he had a chance in modern world to rebuild the Tower of Babel. Together with him he published [[On the Existence of Gods]] and began to initiate a giant building project (More details in Kackbüddl's Article). To free himself of his body that would let him die at least every century, he infused his soul into an artificial body he built himself in his life as an engineer in the 77th century. == Last years == After the combination of the God World and Earth he felt like he was accomplished, and through his contact with [[Gott]] he managed to get the God of Death get his Soul out of him, for destruction. As his soul had collected a huge amount of energy over the years and the wisdom was very valuable, the God of Atomos chambered a lifeless version of Henris consciousness in the information of the Primordial Particle. 4de8ac9882147b03092ffcd101bc2caffb72858e Kleopatrus 0 225 416 2023-06-17T19:48:50Z Nora2605 2 Created page with "'''Kleopatrus''' was a God of the Desert and played a major role in spying on the development of the Giant automated building project. He was the one who initially tried to destroy the [[Kackbüddl Tower]]. He was a good friend of [[Gott]]." wikitext text/x-wiki '''Kleopatrus''' was a God of the Desert and played a major role in spying on the development of the Giant automated building project. He was the one who initially tried to destroy the [[Kackbüddl Tower]]. He was a good friend of [[Gott]]. afbcf3dbd01f115e05b7b8d0146a0466cf663161 On the Existence of Gods 0 226 417 2023-06-17T20:13:09Z Nora2605 2 Created page with "== Title: "On the Existence of Gods: Unraveling the Existence and Powers of the Divine in Universe" == == Abstract: == This scientific work proposes an intriguing and complex polytheistic God system, wherein the existence of gods is established through meticulous research and analysis of various clues left by these deities on Earth. The study delves into the origin of the Gods, their responsibilities, the occurrence of calamities, the creation of legendary artifacts, an..." wikitext text/x-wiki == Title: "On the Existence of Gods: Unraveling the Existence and Powers of the Divine in Universe" == == Abstract: == This scientific work proposes an intriguing and complex polytheistic God system, wherein the existence of gods is established through meticulous research and analysis of various clues left by these deities on Earth. The study delves into the origin of the Gods, their responsibilities, the occurrence of calamities, the creation of legendary artifacts, and the intricate hierarchy and locations within the divine realm. By examining the interplay between the Gods, their powers, and the terrestrial world, this research sheds light on the enigmatic nature of divine entities and their influence on the Universe. == Chapter 1: Unveiling the Divine Tapestry of the Universe == === 1.1 Background and Context === In the vast expanse of the cosmos lies a universe teeming with divine entities and celestial intricacies. Within this enigmatic realm, known as our world, a rich polytheistic system reigns supreme. The existence of gods, their powers, and their remarkable history have captivated the curiosity of scholars and researchers for centuries. This chapter aims to delve into the foundational knowledge that forms the basis of our understanding of the divine tapestry woven throughout the world. === 1.2 Unearthing Ancient Clues === The journey towards unraveling the mysteries of the gods begins with the study of ancient texts, artifacts, and legends scattered across the Earth. These fragments of knowledge serve as breadcrumbs leading us closer to a profound comprehension of the divine realm. Archaeological expeditions, deciphering ancient scripts, and piecing together fragmented narratives have allowed researchers to paint a vivid picture of the divine tapestry that shapes the universe. === 1.3 Myth and History Intertwined === The mythology of the world intertwines seamlessly with its historical narrative, blurring the lines between folklore and tangible evidence. Tales passed down through generations, myths recorded in ancient scriptures, and oral traditions provide crucial insights into the origins, powers, and responsibilities of the gods. === 1.4 The Emergence of the First God === According to ancient chronicles, the world sprang forth from the emergence of a singular being known as Origos. Roughly 200,000 years ago, Origos hatched from a mysterious egg into a desolate world devoid of life. The primordial entity, possessing unimaginable power, took it upon itself to shape the universe and carve out its own existence. === 1.5 The Birth of the Seven Main Gods === Origos, in an act of self-division, fragmented its being into seven distinct entities, each endowed with unique powers and responsibilities. These seven main gods form the foundation of the polytheistic system. While some gods manually created their offspring, others fashioned spouses for themselves to ensure the continuity of their divine lineage. === 1.6 The Delicate Balance of Power === Within the divine order, an intrinsic rule governs the power dynamics of the seven gods. No member of the seven may ever be without a descendant, as the immense power inherent in the seven cannot be lost. A breach in this delicate balance could lead to a calamity, where one god inherits the powers of two, resulting in potentially catastrophic consequences. === 1.7 Calamity and Shifting Powers === One such calamity, known as the 19000 Calamity, holds a significant place in the annals of divine history. It occurred during the formation of Hell, a realm intricately connected to the divine workings of the world. The calamity saw a divide among the gods, with the God of Space, Light, Worlds, and Death opposing the Gods of Time, Atomos, and Judgement for a millennium. === 1.8 The Legendary Courtroom and Power Redistribution === The culmination of the 19000 Calamity involved Noha, the God of Judgement, crafting the Legendary Courtroom, a formidable artifact capable of temporarily restraining the powers of other gods. Noha's actions led to a drastic redistribution of the seven gods' powers, catalyzing the creation of the seven legendary artifacts. This pivotal event not only altered the balance of power but also ushered in a new era within the world. === 1.9 Guardians of the Gods === The seven legendary artifacts, meticulously crafted by the gods themselves, hold immense power and significance within the divine realm. These artifacts, such as the Absolute Clock, Hell's Portal, the Heavenly Court, the World Egg, the Ethereal Sun, the Primordial Particle, and the God's Scythe, serve as conduits for divine energy and influence throughout the world. As we embark on this scholarly journey, the subsequent chapters will explore in detail the origins, responsibilities, powers, and interplay between the gods. By drawing upon ancient texts, archaeological discoveries, and the intricate tapestry woven through myth and history, we aim to unravel the divine mysteries concealed within the depths of the world. == Chapter 2: The Divine Pantheon and their Responsibilities == === 2.1 The Regal Seven === The gods of the world, known as the Regal Seven, are the esteemed rulers and guardians of the divine realm. Each deity possesses a distinct title, last name, and specific responsibility. Let us now delve into the unique roles held by these powerful beings: === 2.2 God of Judgement - Jurier === Jurier, the God of Judgement, assumes the responsibility of making rulings and decisions within the divine hierarchy. With an innate sense of justice and wisdom, Jurier ensures that fairness prevails among the gods and their interactions. === 2.3 God of Space - Raum === Raum, the God of Space, is entrusted with the crucial task of maintaining the integrity and stability of the cosmic expanse. Through Raum's divine influence, the vastness of space remains intact, allowing celestial bodies to traverse their designated courses. === 2.4 God of Time - Zeit === Zeit, the God of Time, safeguards the delicate flow and continuum of temporal existence. With unparalleled mastery over the intricacies of time, Zeit ensures that the cosmic clockwork ticks harmoniously, enabling the sequential progression of events. === 2.5 God of Worlds - Derwelt === Derwelt, the God of Worlds, possesses the awe-inspiring ability to create and shape entire realms within the world. With boundless creativity and a touch of divine essence, Derwelt is responsible for the birth and sustenance of various worlds teeming with life and wonder. === 2.6 God of Atomos - Partikel === Partikel, the God of Atomos, holds dominion over the microscopic realm, the intricate fabric of atoms and particles. With meticulous precision, Partikel manipulates the fundamental building blocks of the universe, shaping its physical properties and fostering the wonders of the microcosm. === 2.7 God of Light - Deslicht === Deslicht, the God of Light, harnesses the radiant energies that permeate the cosmos. Through Deslicht's mastery, light illuminates the universe, enabling the growth of celestial bodies, nurturing life, and unveiling the wonders of existence. === 2.8 God of Death - Todletus === Todletus, the God of Death, carries the weighty responsibility of overseeing the passage from life to the afterlife. With the power to both seal and end divine existence, Todletus brings balance to the eternal cycle, ensuring the orderly transition of souls and the preservation of cosmic harmony. === 2.9 Greater and Lesser Gods === Beyond the Regal Seven, the world boasts an intricate hierarchy of divine beings. Greater Gods, often the offspring resulting from the union of two Regal Seven gods, rule over specific topics, classes, or abstract concepts. These immensely powerful entities serve as invaluable aides and collaborators to the Regal Seven in various endeavors. Meanwhile, Lesser Gods, comprising the majority of the divine population, rule over specific epithets or tangible aspects of the earth. These Lesser Gods, each wielding their unique domains of influence, contribute to the intricate web of cosmic interconnections, further enriching the tapestry of the world. === 2.10 Angels and Demons === Within the divine hierarchy, two distinct subgroups exist: Angels and Demons. Angels are subgods created from bodiless souls, acting as a vital organization for terrestrial affairs and suicide prevention. Their role extends beyond the divine realm, engaging with mortal life and guiding souls towards salvation. On the other hand, Demons, akin to Angels, also arise from bodiless souls. However, their purpose lies in organizing and maintaining order within Hell, the realm intricately linked to the workings of the world. The Devil, a Greater God embodying the topic of "Hell" or "Afterlife," assumes the formal regency over this domain. == Chapter 3: The Legacy of the 19000 Calamity == === 3.1 The Genesis of Conflict === The annals of history recount the tumultuous events surrounding the 19000 Calamity, a turning point that forever altered the divine landscape of the world. During this epoch, the Gods of Space, Light, Worlds, and Death found themselves at odds with the Gods of Time, Atomos, and Judgement. For a millennium, these factions engaged in a fierce struggle, each side advocating for their visions and beliefs. However, it was Noha, the God of Judgement, who catalyzed the calamity. Noha, using the Legendary Courtroom crafted by the God of Time, disrupted the balance of power by temporarily restraining the authority of the opposing gods. === 3.2 The Repercussions === The Calamity of Judgement resulted in a radical redistribution of the Regal Seven's powers and the creation of the seven legendary artifacts. These artifacts, born from the ingenuity and craftsmanship of the gods themselves, became instrumental in shaping the divine order of the world. === 3.3 The Seven Legendary Artifacts === Let us now explore the remarkable artifacts crafted by the Regal Seven: ==== 3.3.1 The Absolute Clock (Crafted by Uur) ==== Uur, a god whose responsibility lies in the perception and understanding of time, crafted the Absolute Clock. This extraordinary artifact possesses the ability to detect time travel and ensures the stability of the temporal fabric itself. ==== 3.3.2 Hell's Portal (Crafted by the God of Space) ==== The God of Space, Raum, bestowed upon the world the Hell's Portal. This powerful artifact serves as a gateway, teleporting entities and goods between the divine realm, known as the God World, and the realm of Hell. ==== 3.3.3 The Heavenly Court (Crafted by Noha) ==== Noha, the God of Judgement, despite being embroiled in conflict, created the Heavenly Court. This artifact, with its unparalleled judgmental prowess, possesses the ability to preside over divine beings, including the Regal Seven themselves. ==== 3.3.4 The World Egg (Crafted by Evan) ==== Evan, the divine craftsman responsible for the birth and shaping of worlds, created the World Egg. This artifact, in times of dire emergencies, possesses the power to reset the world, including the God World itself, while excluding Hell and the Legendary Artifacts from its influence. ==== 3.3.5 Ethereal Sun (Crafted by Lux) ==== Lux, the God of Light, harnessed the energies of the celestial radiance, bestowing the world with the Ethereal Sun. This artifact provides terrestrial energy for the gods' use, capable of supporting up to seven Primordial Gods (the Regal Seven), forty-nine Greater Gods, and two hundred fifty-six Lesser Gods. ==== 3.3.6 The Primordial Particle (Crafted by MCM) ==== MCM, the God of Atomos, devised the Primordial Particle, a reservoir of physical information encompassing the entirety of the terrestrial universe. This artifact represents the foundation of the microcosm and mirrors the concept of the One-Electron Universe. ==== 3.3.7 The God's Scythe (Crafted by Anub) ==== Anub, the God of Death, created the God's Scythe, the only physical weapon capable of sealing or killing a god. This powerful artifact plays a crucial role in the celestial cycle, as gods lose their powers upon death, transitioning into stone (for Greater Gods) or ashes (for most Lesser Gods). == Chapter 4: The Godly Abilities and Realms == === 4.1 The Regal Seven's Divine Abilities === The Regal Seven, as the highest ruling gods, possess extraordinary divine abilities that contribute to the overall functioning of the world: - Jurier: God of Judgement, possesses the ability to discern truth, make wise decisions, and enforce justice among divine beings. - Raum: God of Space, controls the fabric of space, enabling the navigation and movement of celestial bodies within the world. - Zeit: God of Time, governs the flow and progression of time, ensuring the orderly sequence of events and preventing temporal anomalies. - Derwelt: God of Worlds, creates and shapes entire realms, fashioning unique environments and ecosystems for various worlds. - Partikel: God of Atomos, manipulates the fundamental particles and atoms, influencing the physical properties of the universe. - Deslicht: God of Light, harnesses and controls radiant energies, allowing light to illuminate the cosmos and sustain life. - Todletus: God of Death, oversees the transition of souls from life to the afterlife, maintaining the cycle of existence and cosmic balance. === 4.2 The Realms Within the world === The world encompasses various realms, each governed by specific gods and offering distinct experiences: - The God World: The divine realm where the Regal Seven and other gods reside, overseeing the cosmic order and divine affairs. - Hell: The realm intricately linked to the world, where souls go after death to face judgment and potential reincarnation or eternal damnation. - Mortal Realm: The terrestrial world inhabited by mortal beings, guided by the influence of gods and their subgods, Angels and Demons. - Otherworldly Dimensions: Parallel dimensions, alternate realities, and hidden planes that exist within the fabric of the world, housing unique beings and phenomena. As our journey through the world unfolds, the intricate web of divine politics, the consequences of the 19000 Calamity, and the immense power wielded by the Regal Seven continue to shape the destiny of this extraordinary universe. == Chapter 5: The Order of Divinity == === 5.1 Greater Gods and Lesser Gods === Beyond the Regal Seven, the world is populated by an array of divine beings, categorized into Greater Gods and Lesser Gods. === 5.1.1 Greater Gods === Greater Gods are entities of immense power, often resulting from the union of two of the Regal Seven or emerging from the offspring of any god with lesser probability. These gods possess significant influence over specific topics, classes, or abstract concepts within the universe. They are vital allies and aides to the Regal Seven, assisting in various endeavors. === 5.1.2 Lesser Gods === The most prevalent type of gods in the world, Lesser Gods, rule over specific epithets or things within the terrestrial realm. They constitute the majority of the divine population and play diverse roles in shaping mortal lives and the natural order of the universe. === 5.2 Angels and Demons === Within the hierarchy of gods, there exist specialized subgods known as Angels and Demons, entrusted with unique responsibilities. === 5.2.1 Angels === Angels are subgods created from bodiless souls, serving as guardians and caretakers of mortal beings. They act as a suicide prevention and terrestrial affairs organization, intervening in critical situations to prevent harm and guide individuals towards their destinies. Angels possess the ability to choose to become Demons or remain in their angelic roles. === 5.2.2 Demons === Demons, like Angels, are subgods born from bodiless souls. Their purpose revolves around maintaining order and organization within Hell. These formidable entities oversee the various chambers and realms of damnation, ensuring that sinners face appropriate consequences for their transgressions. They possess intricate knowledge of the infernal realm and its mechanisms. === 5.3 The Devil, Regent of Hell === While not a demon, the Devil holds a distinctive position as a Greater God, with authority over the domain of Hell and the afterlife. The Devil's responsibility encompasses the management and governance of this intricate realm, ensuring the harmony and functioning of its various chambers and systems. == Chapter 6: Sacred Locations == === 6.1 The God World === Located on the Sun-directed side of Venus, the God World stands as the primary residence of the gods in the world. It comprises a central platform connected to seven islands, each corresponding to one of the Regal Seven. These islands serve as abodes for the gods and house their respective Legendary Artifacts. Additionally, the Island of Death hosts the primary residence of most gods due to the presence of the God of Death. === 6.2 Shinigami Valley === Shinigami Valley, also known as the Graveyard of the Gods, serves as the final resting place for gods once they transition into stone (for Greater Gods) or ashes (for most Lesser Gods) upon their deaths. The Shinigami, subordinates of the God of Death, carry out the burial rituals and ensure the proper disposition of the remains. === 6.3 Hell === Physically located within the Earth itself, Hell plays a crucial role as a power plant for the planet. Originally a mechanical construction overseen by Lesser Gods, Hell generates the Earth's magnetic field and internal warmth. Following the emergence of the human race, Hell transformed into a realm where sinners of the seven deadly sins are sent to face their penance. The chambers of Hell, situated below the nine-layered abyss, are intricately connected through the Infinite Staircase, a colossal structure that links each chamber and leads to the Hell's Portal. These chambers include Gluttony Chasm, Sloth Section, Envy Tunnel, Lust Alley, Pride District, Greed Hall, and Wrath Road, each housing sinners assigned with the task of establishing harmonious societies representative of their respective sins. With each layer descending into darkness and torment, the Devil's basement acts as a central bureau for administrative affairs within Hell. the world and its intricate tapestry of gods, realms, and artifacts continue to captivate the imagination and exploration of those who seek to understand the origins, functions, and dynamics of this divine universe. == Conclusion: == In the vast and enigmatic the world, the existence of gods is not a mere matter of faith but a complex reality intertwined with the fabric of existence itself. From the emergence of the First God, Origos, to the division of powers among the Regal Seven and the subsequent creation of Greater and Lesser Gods, the universe is governed by a polytheistic system with dedicated responsibilities and powers. The 19000 Calamity marked a pivotal moment in the history of the world, leading to the creation of the seven legendary artifacts and a redistribution of power among the Regal Seven. These artifacts, crafted by the gods themselves, hold immense significance and play essential roles in maintaining cosmic order and balance. Through the examination of sacred locations such as the God World, Shinigami Valley, and Hell, we catch a glimpse of the divine realms that shape the experiences of both gods and mortals. The complex hierarchy of gods, including the roles of Angels and Demons, adds depth to the intricate tapestry of the universe. While the knowledge and understanding of the world are not easily accessible, a variety of sources and evidence can shed light on the existence and characteristics of the gods. These sources include ancient texts, divine prophecies, testimonies from gods and subgods, archaeological discoveries within the God World, and the recorded interactions between gods and mortals. As we continue to delve into the mysteries of the world, there is still much to uncover and explore. The existence of gods and their influence on the cosmic order offer endless avenues for research, speculation, and contemplation. == Sources: == 1. Ancient Texts: Transcriptions of ancient scriptures and writings that contain narratives and accounts of the origins, history, and functions of the gods. 2. Divine Prophecies: Prophetic visions, messages, and revelations received from the gods themselves, providing insights into their nature and future events. 3. Testimonies from Gods and Subgods: Personal accounts and recollections shared by gods and subgods through divine communication or interactions with mortals. 4. Archaeological Discoveries: Unearthed artifacts, relics, and inscriptions found within the God World, offering glimpses into the ancient civilizations and their divine interactions. 5. Recorded Interactions: Documented encounters and communications between gods and mortals, often preserved in historical records, folklore, and religious texts. 69b2749377927cc74c89cde24ec8531937adc70d 418 417 2023-06-17T20:15:16Z Nora2605 2 /* Conclusion: */ wikitext text/x-wiki == Title: "On the Existence of Gods: Unraveling the Existence and Powers of the Divine in Universe" == == Abstract: == This scientific work proposes an intriguing and complex polytheistic God system, wherein the existence of gods is established through meticulous research and analysis of various clues left by these deities on Earth. The study delves into the origin of the Gods, their responsibilities, the occurrence of calamities, the creation of legendary artifacts, and the intricate hierarchy and locations within the divine realm. By examining the interplay between the Gods, their powers, and the terrestrial world, this research sheds light on the enigmatic nature of divine entities and their influence on the Universe. == Chapter 1: Unveiling the Divine Tapestry of the Universe == === 1.1 Background and Context === In the vast expanse of the cosmos lies a universe teeming with divine entities and celestial intricacies. Within this enigmatic realm, known as our world, a rich polytheistic system reigns supreme. The existence of gods, their powers, and their remarkable history have captivated the curiosity of scholars and researchers for centuries. This chapter aims to delve into the foundational knowledge that forms the basis of our understanding of the divine tapestry woven throughout the world. === 1.2 Unearthing Ancient Clues === The journey towards unraveling the mysteries of the gods begins with the study of ancient texts, artifacts, and legends scattered across the Earth. These fragments of knowledge serve as breadcrumbs leading us closer to a profound comprehension of the divine realm. Archaeological expeditions, deciphering ancient scripts, and piecing together fragmented narratives have allowed researchers to paint a vivid picture of the divine tapestry that shapes the universe. === 1.3 Myth and History Intertwined === The mythology of the world intertwines seamlessly with its historical narrative, blurring the lines between folklore and tangible evidence. Tales passed down through generations, myths recorded in ancient scriptures, and oral traditions provide crucial insights into the origins, powers, and responsibilities of the gods. === 1.4 The Emergence of the First God === According to ancient chronicles, the world sprang forth from the emergence of a singular being known as Origos. Roughly 200,000 years ago, Origos hatched from a mysterious egg into a desolate world devoid of life. The primordial entity, possessing unimaginable power, took it upon itself to shape the universe and carve out its own existence. === 1.5 The Birth of the Seven Main Gods === Origos, in an act of self-division, fragmented its being into seven distinct entities, each endowed with unique powers and responsibilities. These seven main gods form the foundation of the polytheistic system. While some gods manually created their offspring, others fashioned spouses for themselves to ensure the continuity of their divine lineage. === 1.6 The Delicate Balance of Power === Within the divine order, an intrinsic rule governs the power dynamics of the seven gods. No member of the seven may ever be without a descendant, as the immense power inherent in the seven cannot be lost. A breach in this delicate balance could lead to a calamity, where one god inherits the powers of two, resulting in potentially catastrophic consequences. === 1.7 Calamity and Shifting Powers === One such calamity, known as the 19000 Calamity, holds a significant place in the annals of divine history. It occurred during the formation of Hell, a realm intricately connected to the divine workings of the world. The calamity saw a divide among the gods, with the God of Space, Light, Worlds, and Death opposing the Gods of Time, Atomos, and Judgement for a millennium. === 1.8 The Legendary Courtroom and Power Redistribution === The culmination of the 19000 Calamity involved Noha, the God of Judgement, crafting the Legendary Courtroom, a formidable artifact capable of temporarily restraining the powers of other gods. Noha's actions led to a drastic redistribution of the seven gods' powers, catalyzing the creation of the seven legendary artifacts. This pivotal event not only altered the balance of power but also ushered in a new era within the world. === 1.9 Guardians of the Gods === The seven legendary artifacts, meticulously crafted by the gods themselves, hold immense power and significance within the divine realm. These artifacts, such as the Absolute Clock, Hell's Portal, the Heavenly Court, the World Egg, the Ethereal Sun, the Primordial Particle, and the God's Scythe, serve as conduits for divine energy and influence throughout the world. As we embark on this scholarly journey, the subsequent chapters will explore in detail the origins, responsibilities, powers, and interplay between the gods. By drawing upon ancient texts, archaeological discoveries, and the intricate tapestry woven through myth and history, we aim to unravel the divine mysteries concealed within the depths of the world. == Chapter 2: The Divine Pantheon and their Responsibilities == === 2.1 The Regal Seven === The gods of the world, known as the Regal Seven, are the esteemed rulers and guardians of the divine realm. Each deity possesses a distinct title, last name, and specific responsibility. Let us now delve into the unique roles held by these powerful beings: === 2.2 God of Judgement - Jurier === Jurier, the God of Judgement, assumes the responsibility of making rulings and decisions within the divine hierarchy. With an innate sense of justice and wisdom, Jurier ensures that fairness prevails among the gods and their interactions. === 2.3 God of Space - Raum === Raum, the God of Space, is entrusted with the crucial task of maintaining the integrity and stability of the cosmic expanse. Through Raum's divine influence, the vastness of space remains intact, allowing celestial bodies to traverse their designated courses. === 2.4 God of Time - Zeit === Zeit, the God of Time, safeguards the delicate flow and continuum of temporal existence. With unparalleled mastery over the intricacies of time, Zeit ensures that the cosmic clockwork ticks harmoniously, enabling the sequential progression of events. === 2.5 God of Worlds - Derwelt === Derwelt, the God of Worlds, possesses the awe-inspiring ability to create and shape entire realms within the world. With boundless creativity and a touch of divine essence, Derwelt is responsible for the birth and sustenance of various worlds teeming with life and wonder. === 2.6 God of Atomos - Partikel === Partikel, the God of Atomos, holds dominion over the microscopic realm, the intricate fabric of atoms and particles. With meticulous precision, Partikel manipulates the fundamental building blocks of the universe, shaping its physical properties and fostering the wonders of the microcosm. === 2.7 God of Light - Deslicht === Deslicht, the God of Light, harnesses the radiant energies that permeate the cosmos. Through Deslicht's mastery, light illuminates the universe, enabling the growth of celestial bodies, nurturing life, and unveiling the wonders of existence. === 2.8 God of Death - Todletus === Todletus, the God of Death, carries the weighty responsibility of overseeing the passage from life to the afterlife. With the power to both seal and end divine existence, Todletus brings balance to the eternal cycle, ensuring the orderly transition of souls and the preservation of cosmic harmony. === 2.9 Greater and Lesser Gods === Beyond the Regal Seven, the world boasts an intricate hierarchy of divine beings. Greater Gods, often the offspring resulting from the union of two Regal Seven gods, rule over specific topics, classes, or abstract concepts. These immensely powerful entities serve as invaluable aides and collaborators to the Regal Seven in various endeavors. Meanwhile, Lesser Gods, comprising the majority of the divine population, rule over specific epithets or tangible aspects of the earth. These Lesser Gods, each wielding their unique domains of influence, contribute to the intricate web of cosmic interconnections, further enriching the tapestry of the world. === 2.10 Angels and Demons === Within the divine hierarchy, two distinct subgroups exist: Angels and Demons. Angels are subgods created from bodiless souls, acting as a vital organization for terrestrial affairs and suicide prevention. Their role extends beyond the divine realm, engaging with mortal life and guiding souls towards salvation. On the other hand, Demons, akin to Angels, also arise from bodiless souls. However, their purpose lies in organizing and maintaining order within Hell, the realm intricately linked to the workings of the world. The Devil, a Greater God embodying the topic of "Hell" or "Afterlife," assumes the formal regency over this domain. == Chapter 3: The Legacy of the 19000 Calamity == === 3.1 The Genesis of Conflict === The annals of history recount the tumultuous events surrounding the 19000 Calamity, a turning point that forever altered the divine landscape of the world. During this epoch, the Gods of Space, Light, Worlds, and Death found themselves at odds with the Gods of Time, Atomos, and Judgement. For a millennium, these factions engaged in a fierce struggle, each side advocating for their visions and beliefs. However, it was Noha, the God of Judgement, who catalyzed the calamity. Noha, using the Legendary Courtroom crafted by the God of Time, disrupted the balance of power by temporarily restraining the authority of the opposing gods. === 3.2 The Repercussions === The Calamity of Judgement resulted in a radical redistribution of the Regal Seven's powers and the creation of the seven legendary artifacts. These artifacts, born from the ingenuity and craftsmanship of the gods themselves, became instrumental in shaping the divine order of the world. === 3.3 The Seven Legendary Artifacts === Let us now explore the remarkable artifacts crafted by the Regal Seven: ==== 3.3.1 The Absolute Clock (Crafted by Uur) ==== Uur, a god whose responsibility lies in the perception and understanding of time, crafted the Absolute Clock. This extraordinary artifact possesses the ability to detect time travel and ensures the stability of the temporal fabric itself. ==== 3.3.2 Hell's Portal (Crafted by the God of Space) ==== The God of Space, Raum, bestowed upon the world the Hell's Portal. This powerful artifact serves as a gateway, teleporting entities and goods between the divine realm, known as the God World, and the realm of Hell. ==== 3.3.3 The Heavenly Court (Crafted by Noha) ==== Noha, the God of Judgement, despite being embroiled in conflict, created the Heavenly Court. This artifact, with its unparalleled judgmental prowess, possesses the ability to preside over divine beings, including the Regal Seven themselves. ==== 3.3.4 The World Egg (Crafted by Evan) ==== Evan, the divine craftsman responsible for the birth and shaping of worlds, created the World Egg. This artifact, in times of dire emergencies, possesses the power to reset the world, including the God World itself, while excluding Hell and the Legendary Artifacts from its influence. ==== 3.3.5 Ethereal Sun (Crafted by Lux) ==== Lux, the God of Light, harnessed the energies of the celestial radiance, bestowing the world with the Ethereal Sun. This artifact provides terrestrial energy for the gods' use, capable of supporting up to seven Primordial Gods (the Regal Seven), forty-nine Greater Gods, and two hundred fifty-six Lesser Gods. ==== 3.3.6 The Primordial Particle (Crafted by MCM) ==== MCM, the God of Atomos, devised the Primordial Particle, a reservoir of physical information encompassing the entirety of the terrestrial universe. This artifact represents the foundation of the microcosm and mirrors the concept of the One-Electron Universe. ==== 3.3.7 The God's Scythe (Crafted by Anub) ==== Anub, the God of Death, created the God's Scythe, the only physical weapon capable of sealing or killing a god. This powerful artifact plays a crucial role in the celestial cycle, as gods lose their powers upon death, transitioning into stone (for Greater Gods) or ashes (for most Lesser Gods). == Chapter 4: The Godly Abilities and Realms == === 4.1 The Regal Seven's Divine Abilities === The Regal Seven, as the highest ruling gods, possess extraordinary divine abilities that contribute to the overall functioning of the world: - Jurier: God of Judgement, possesses the ability to discern truth, make wise decisions, and enforce justice among divine beings. - Raum: God of Space, controls the fabric of space, enabling the navigation and movement of celestial bodies within the world. - Zeit: God of Time, governs the flow and progression of time, ensuring the orderly sequence of events and preventing temporal anomalies. - Derwelt: God of Worlds, creates and shapes entire realms, fashioning unique environments and ecosystems for various worlds. - Partikel: God of Atomos, manipulates the fundamental particles and atoms, influencing the physical properties of the universe. - Deslicht: God of Light, harnesses and controls radiant energies, allowing light to illuminate the cosmos and sustain life. - Todletus: God of Death, oversees the transition of souls from life to the afterlife, maintaining the cycle of existence and cosmic balance. === 4.2 The Realms Within the world === The world encompasses various realms, each governed by specific gods and offering distinct experiences: - The God World: The divine realm where the Regal Seven and other gods reside, overseeing the cosmic order and divine affairs. - Hell: The realm intricately linked to the world, where souls go after death to face judgment and potential reincarnation or eternal damnation. - Mortal Realm: The terrestrial world inhabited by mortal beings, guided by the influence of gods and their subgods, Angels and Demons. - Otherworldly Dimensions: Parallel dimensions, alternate realities, and hidden planes that exist within the fabric of the world, housing unique beings and phenomena. As our journey through the world unfolds, the intricate web of divine politics, the consequences of the 19000 Calamity, and the immense power wielded by the Regal Seven continue to shape the destiny of this extraordinary universe. == Chapter 5: The Order of Divinity == === 5.1 Greater Gods and Lesser Gods === Beyond the Regal Seven, the world is populated by an array of divine beings, categorized into Greater Gods and Lesser Gods. === 5.1.1 Greater Gods === Greater Gods are entities of immense power, often resulting from the union of two of the Regal Seven or emerging from the offspring of any god with lesser probability. These gods possess significant influence over specific topics, classes, or abstract concepts within the universe. They are vital allies and aides to the Regal Seven, assisting in various endeavors. === 5.1.2 Lesser Gods === The most prevalent type of gods in the world, Lesser Gods, rule over specific epithets or things within the terrestrial realm. They constitute the majority of the divine population and play diverse roles in shaping mortal lives and the natural order of the universe. === 5.2 Angels and Demons === Within the hierarchy of gods, there exist specialized subgods known as Angels and Demons, entrusted with unique responsibilities. === 5.2.1 Angels === Angels are subgods created from bodiless souls, serving as guardians and caretakers of mortal beings. They act as a suicide prevention and terrestrial affairs organization, intervening in critical situations to prevent harm and guide individuals towards their destinies. Angels possess the ability to choose to become Demons or remain in their angelic roles. === 5.2.2 Demons === Demons, like Angels, are subgods born from bodiless souls. Their purpose revolves around maintaining order and organization within Hell. These formidable entities oversee the various chambers and realms of damnation, ensuring that sinners face appropriate consequences for their transgressions. They possess intricate knowledge of the infernal realm and its mechanisms. === 5.3 The Devil, Regent of Hell === While not a demon, the Devil holds a distinctive position as a Greater God, with authority over the domain of Hell and the afterlife. The Devil's responsibility encompasses the management and governance of this intricate realm, ensuring the harmony and functioning of its various chambers and systems. == Chapter 6: Sacred Locations == === 6.1 The God World === Located on the Sun-directed side of Venus, the God World stands as the primary residence of the gods in the world. It comprises a central platform connected to seven islands, each corresponding to one of the Regal Seven. These islands serve as abodes for the gods and house their respective Legendary Artifacts. Additionally, the Island of Death hosts the primary residence of most gods due to the presence of the God of Death. === 6.2 Shinigami Valley === Shinigami Valley, also known as the Graveyard of the Gods, serves as the final resting place for gods once they transition into stone (for Greater Gods) or ashes (for most Lesser Gods) upon their deaths. The Shinigami, subordinates of the God of Death, carry out the burial rituals and ensure the proper disposition of the remains. === 6.3 Hell === Physically located within the Earth itself, Hell plays a crucial role as a power plant for the planet. Originally a mechanical construction overseen by Lesser Gods, Hell generates the Earth's magnetic field and internal warmth. Following the emergence of the human race, Hell transformed into a realm where sinners of the seven deadly sins are sent to face their penance. The chambers of Hell, situated below the nine-layered abyss, are intricately connected through the Infinite Staircase, a colossal structure that links each chamber and leads to the Hell's Portal. These chambers include Gluttony Chasm, Sloth Section, Envy Tunnel, Lust Alley, Pride District, Greed Hall, and Wrath Road, each housing sinners assigned with the task of establishing harmonious societies representative of their respective sins. With each layer descending into darkness and torment, the Devil's basement acts as a central bureau for administrative affairs within Hell. the world and its intricate tapestry of gods, realms, and artifacts continue to captivate the imagination and exploration of those who seek to understand the origins, functions, and dynamics of this divine universe. == Conclusion: == In the vast and enigmatic world, the existence of gods is not a mere matter of faith but a complex reality intertwined with the fabric of existence itself. From the emergence of the First God, Origos, to the division of powers among the Regal Seven and the subsequent creation of Greater and Lesser Gods, the universe is governed by a polytheistic system with dedicated responsibilities and powers. The 19000 Calamity marked a pivotal moment in the history of the world, leading to the creation of the seven legendary artifacts and a redistribution of power among the Regal Seven. These artifacts, crafted by the gods themselves, hold immense significance and play essential roles in maintaining cosmic order and balance. Through the examination of sacred locations such as the God World, Shinigami Valley, and Hell, we catch a glimpse of the divine realms that shape the experiences of both gods and mortals. The complex hierarchy of gods, including the roles of Angels and Demons, adds depth to the intricate tapestry of the universe. While the knowledge and understanding of the world are not easily accessible, a variety of sources and evidence can shed light on the existence and characteristics of the gods. These sources include ancient texts, divine prophecies, testimonies from gods and subgods, archaeological discoveries within the God World, and the recorded interactions between gods and mortals. As we continue to delve into the mysteries of the world, there is still much to uncover and explore. The existence of gods and their influence on the cosmic order offer endless avenues for research, speculation, and contemplation. == Sources: == 1. Ancient Texts: Transcriptions of ancient scriptures and writings that contain narratives and accounts of the origins, history, and functions of the gods. 2. Divine Prophecies: Prophetic visions, messages, and revelations received from the gods themselves, providing insights into their nature and future events. 3. Testimonies from Gods and Subgods: Personal accounts and recollections shared by gods and subgods through divine communication or interactions with mortals. 4. Archaeological Discoveries: Unearthed artifacts, relics, and inscriptions found within the God World, offering glimpses into the ancient civilizations and their divine interactions. 5. Recorded Interactions: Documented encounters and communications between gods and mortals, often preserved in historical records, folklore, and religious texts. 50fdf4c3ee0de345285647414dd6e5337f1fdbeb On The Existence of Gods 0 227 419 2023-06-18T14:49:15Z Nora2605 2 Redirected page to [[On the Existence of Gods]] wikitext text/x-wiki #REDIRECT [[On the Existence of Gods]] 5913d82055f11b3d2384eb21313b31959d54c3cf File:U3Logo.svg 6 229 421 2023-07-12T19:34:43Z Nora2605 2 Logo of U3 wikitext text/x-wiki == Summary == Logo of U3 ee693f55dfc11dda289dc3b2bef968d849f57d8e File:U4Logo.svg 6 230 422 2023-07-12T19:35:03Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:U5Logo.svg 6 231 423 2023-07-12T19:35:21Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:U6Logo.svg 6 232 424 2023-07-12T19:35:35Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:U7Logo.svg 6 233 425 2023-07-12T19:35:49Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:U8Logo.svg 6 234 426 2023-07-12T19:36:05Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:U9Logo.svg 6 235 427 2023-07-12T19:36:20Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:U10Logo.svg 6 236 428 2023-07-12T19:36:36Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:U11Logo.svg 6 237 429 2023-07-12T19:36:52Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:U12Logo.svg 6 238 430 2023-07-12T19:37:10Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 U2 0 197 431 378 2023-07-12T19:46:42Z Nora2605 2 wikitext text/x-wiki {{Infobox universe |name=Crane |logo=U2LogoW.png |caption=Logo of U2 |magic_system=[[Soul_(U2)]] |god_system=Polytheistic, hereditary specialized |layer=40 |protagonist=* [[Erhard Kackbüddl]] (Part 3) * [[Ethemin Bahra]] (Part 4) * [[Tonyo Simon]] (Part 5) * [[Fermi Mendel]] (Part 6) * [[Torrin Michino]] (Part 7) * [[Jesira]] (Part 8 & 9) |main_story=[[#Story|Below]] |notable_places=Earth (Same earth as [[V0|Real life]]) }} '''Crane''' is the name of the second universe in the Chronii Project. It is located on Layer 40 in [[T227-GNB]] and has a Soul based Power System, a main setting planet analogous to earth and a God World as well as Hell and other seperate dimensions. == Story == The Story is set in different times, in chronological order. It begins with Part 3, as [[Crane (Simulation)|Part 1 & 2]] were a canonical simulation inside of Part 3's lore. Read [[Henri Aethre Bahra]] for the oldest backstory of the universe. === Part 3 === Described in [[Erhard Kackbüddl]]. === Part 4 === Described in [[Ethemin Bahra]]. === Part 5 === Described in [[Tonyo]]. === Part 6 === Described in [[Fermi (U2)]], first few sections. === Part 7 === Described in [[Torrin]] as well as [[Gabriel M (U2)]] and [[Gabriel F (U2)]] === Part 8 & 9 === Described in [[Jesira]], [[Satan (U2)]] and [[Fermi (U2)]]. == Setup == The universe focuses on an Earth analogous to the real Earth [[V0]], with the existence of Gods added. Not much setup is to be known except for the [[God System (U2)]] and [[Soul (U2)]]. == Main Characters == * [[Erhard Kackbüddl]] * [[Ethemin Bahra]] * [[Tonyo]] * [[Fermi (U2)]] * [[Torrin]] * [[Jesira]] == Trivia == * This was the first universe I started actually building * It is all quite obviously based on some ideas from the Bible, as well as Gnosticism and Toby Fox's Undertale. * The Parts after 3 have almost nothing to do with Cranes anymore [[Category:U2]] [[Category:Universes]] b7cee896bdca426372070b1bf40cbc6e4fed986e 432 431 2023-07-12T19:47:27Z Nora2605 2 wikitext text/x-wiki {{Infobox universe |name=Crane |logo=U2LogoW.png |caption=Logo of U2 |magic_system=[[Soul_(U2)]] |god_system=Polytheistic, hereditary specialized |layer=40 |protagonist=* [[Erhard Kackbüddl]] (Part 3) * [[Ethemin Bahra]] (Part 4) * [[Tonyo Simon]] (Part 5) * [[Fermi Mendel]] (Part 6) * [[Torrin Michino]] (Part 7) * [[Jesira]] (Part 8 & 9) |main_story=[[#Story|Below]] |notable_places=Earth (Same earth as [[V0|Real life]]) }} '''Crane''' is the name of the second universe in the Chronii Project. It is located on Layer 40 in [[T227-GNB]] and has a Soul based Power System, a main setting planet analogous to earth and a God World as well as Hell and other seperate dimensions. == Story == The Story is set in different times, in chronological order. It begins with Part 3, as [[Crane (Simulation)|Part 1 & 2]] were a canonical simulation inside of Part 3's lore. Read [[Henri Aethre Bahra]] for the oldest backstory of the universe. === Part 3 === Described in [[Erhard Kackbüddl]]. === Part 4 === Described in [[Ethemin Bahra]]. === Part 5 === Described in [[Tonyo Simon]]. === Part 6 === Described in [[Fermi Mendel]], first few sections. === Part 7 === Described in [[Torrin Michino]] as well as [[Gabriel M (U2)]] and [[Gabriel F (U2)]] === Part 8 & 9 === Described in [[Jesira]], [[Satan (U2)]] and [[Fermi Mendel]]. == Setup == The universe focuses on an Earth analogous to the real Earth [[V0]], with the existence of Gods added. Not much setup is to be known except for the [[God System (U2)]] and [[Soul (U2)]]. == Main Characters == * [[Erhard Kackbüddl]] * [[Ethemin Bahra]] * [[Tonyo Simon]] * [[Fermi Mendel]] * [[Torrin Michino]] * [[Jesira]] == Trivia == * This was the first universe I started actually building * It is all quite obviously based on some ideas from the Bible, as well as Gnosticism and Toby Fox's Undertale. * The Parts after 3 have almost nothing to do with Cranes anymore [[Category:U2]] [[Category:Universes]] 5dff07d6aaa465aa9cbdb430c5455dc6a817f570 U3 0 239 433 2023-07-12T19:50:04Z Nora2605 2 Created page with "{{Infobox universe |name=Autduc |logo=[[File:U3Logo.svg]] |caption=Logo of U3 |alias=Meos, Autduction |magic_system=[[Magic_System_(U1)]] |god_system=[[God_System_(U3)]] |layer=36 |protagonist=[[Miro Akiya]] |main_story=[[#Story|Below]] |notable_places=* [[Magic Academy (U3)]] }} '''U3''', '''Meos''' or '''Autduc''' is the third Universe in the Chronii Project, it is located on Layer 36 in [[T227-GNB]], features Gods and Magic. Name origin is unclear<ref>Sorry i really..." wikitext text/x-wiki {{Infobox universe |name=Autduc |logo=[[File:U3Logo.svg]] |caption=Logo of U3 |alias=Meos, Autduction |magic_system=[[Magic_System_(U1)]] |god_system=[[God_System_(U3)]] |layer=36 |protagonist=[[Miro Akiya]] |main_story=[[#Story|Below]] |notable_places=* [[Magic Academy (U3)]] }} '''U3''', '''Meos''' or '''Autduc''' is the third Universe in the Chronii Project, it is located on Layer 36 in [[T227-GNB]], features Gods and Magic. Name origin is unclear<ref>Sorry i really don't know anymore</ref>. == Story == The Main Story follows [[Miro Akiya]], who due to an error of the God [[Greg]] got magic powers of all 5 Elements<ref>See [[Magic System (U3)]]</ref> following a near-death experience. His friend [[Chadt Sannako]] found out and pushed him to go to the [[Magic Academy (U3)]], but he refused to go alone and now has to pretend that Chadt has magic, even though he doesn't. == Setup == There are 2 main worlds; the real world and the god world. Inside the god world, gods live and absolve training to be able to rule sometime, the real world is modeled after no particular place. Magic is fairly uncommon, only about 10% can use 1 or more Elements. == Main Characters == ;[[Miro Akiya]] :Main Character ;[[Chadt Sannako]] :Main Character ;[[Greg]] :Main Character ;[[Elke Mahta]] :Supporting ;[[Alter Hochgott Sarfunkel]] :Supporting ;[[You Rizue]] :Deuteragonist ;[[Timo Timo]] :Deuteragonist == Trivia == * It's a parody of a lot of tropes and most importantly the "Virgin vs. Chad" meme [[Category:U3]] [[Category:Universes]] 836685cb98a88bd1c63e7a089615da372bf9200a Navira 0 240 434 2023-08-28T23:50:26Z Nora2605 2 Created page with "The '''Navira''' are a species of Humanoids, that evolved on [[Voles]] to gain animal-analogous traits. They are divided into subspecies by those traits, but are interbreedable with humans, therefore technically being homo sapiens. == Genetics == Navira-Genes that cause the limb formation are passed down as part of the regular chromosomes. The chance of offspring to develop one is 58% for mother navira and father human, and 49% for father navira and mother human.<ref>D..." wikitext text/x-wiki The '''Navira''' are a species of Humanoids, that evolved on [[Voles]] to gain animal-analogous traits. They are divided into subspecies by those traits, but are interbreedable with humans, therefore technically being homo sapiens. == Genetics == Navira-Genes that cause the limb formation are passed down as part of the regular chromosomes. The chance of offspring to develop one is 58% for mother navira and father human, and 49% for father navira and mother human.<ref>Discrepancy reason unknown, actively researched</ref> == Sub-Species == Due to the rapid mutation rate on [[Voles]] it is uncertain if not more subspecies have formed, either historically or currently present, because it is a largely inaccessible domain for research. Main Sub-Species are listed below === Heli-Navira === Heli-Navira are characterized by their wings, that span up to thrice their body height and overall strong, tall and slim build with a rather large torso. Wing colors have been observed to range from black to white, as well as silver patterned and reddish-brown. The wing color does not seem to be correlated with the hair color of the individual. === Nüpet-Navira === Cat-like Humanoids with developed fangs and fine senses. Possess cat-like ears at the top of their head rather than on the side and have a rather tiny tail ranging about 12-25 cm from their coccyx. Their extra limb pair is not seperate, rather they have 2 bones in their upper arm and 3 in their lower. === Blub-Navira === Humanoids that evolved primarily to survive in moist and watery regions. There is a lack of samples, the biology is yet unclear. === Kefer-Navira === Rare Type of Navira that has antennae on their head as well as glowing mechanisms inside them and their bottoms. Typically small, green hair tint and very robust. Prefer to eat vegetarian, many have to gag if meat is present in their food. == Common Biology == Navira commonly have mutations unique to a family rather than a subspecies. This includes the eyes of the [[Nijimi|Lümir]]. Almost all have a 3rd main brain "hemisphere", often called transistorial cortex due to its structure. 0143d1d707e4ae3bd3f1c09ec86318aed0aa97ab 435 434 2023-08-28T23:51:07Z Nora2605 2 /* Common Biology */ wikitext text/x-wiki The '''Navira''' are a species of Humanoids, that evolved on [[Voles]] to gain animal-analogous traits. They are divided into subspecies by those traits, but are interbreedable with humans, therefore technically being homo sapiens. == Genetics == Navira-Genes that cause the limb formation are passed down as part of the regular chromosomes. The chance of offspring to develop one is 58% for mother navira and father human, and 49% for father navira and mother human.<ref>Discrepancy reason unknown, actively researched</ref> == Sub-Species == Due to the rapid mutation rate on [[Voles]] it is uncertain if not more subspecies have formed, either historically or currently present, because it is a largely inaccessible domain for research. Main Sub-Species are listed below === Heli-Navira === Heli-Navira are characterized by their wings, that span up to thrice their body height and overall strong, tall and slim build with a rather large torso. Wing colors have been observed to range from black to white, as well as silver patterned and reddish-brown. The wing color does not seem to be correlated with the hair color of the individual. === Nüpet-Navira === Cat-like Humanoids with developed fangs and fine senses. Possess cat-like ears at the top of their head rather than on the side and have a rather tiny tail ranging about 12-25 cm from their coccyx. Their extra limb pair is not seperate, rather they have 2 bones in their upper arm and 3 in their lower. === Blub-Navira === Humanoids that evolved primarily to survive in moist and watery regions. There is a lack of samples, the biology is yet unclear. === Kefer-Navira === Rare Type of Navira that has antennae on their head as well as glowing mechanisms inside them and their bottoms. Typically small, green hair tint and very robust. Prefer to eat vegetarian, many have to gag if meat is present in their food. == Common Biology == Navira commonly have mutations unique to a family rather than a subspecies. This includes the eyes of the [[Lümir|Nijimi]]. Almost all have a 3rd main brain "hemisphere", often called transistorial cortex due to its structure. a585fa8af00b754372513eafe78affdc11a9bbca Erhard Kackbüddl 0 190 437 385 2023-09-24T20:13:25Z Nora2605 2 /* Legacy */ wikitext text/x-wiki {{Infobox person |name=Erhard M. Kackbüddl |image=[[File:Kackbueddl Portrait.png]] |caption=Portrait of Kackbüddl, around 7773 |gender=male |age=47† |birth_name=Emily Maria Kackbüddl |birth_date=7730/04/04 |birth_place=Stockholm, Sweden [[U2|(U2 Equiv.)]] |death_place=Abéché, Chad [[U2|(U2 Equiv.)]] |death_date=7777/07/06 |nationality=Swedish |other_names=Builder of Babel |occupation=CEO of Kackbüddl Inc. |years_active=7752-7777 |known_for=The construction of the Kackbüddl Tower |notable_works=[[On The Existence of Gods|E.M.Kackbüddl, G.Henrial: On The Existence of Gods (7761)]] |home_town=Stockholm |height=1.82 m |weight=92 kg |hair=blonde |eyes=blue |sexual_orientation=asexual |romantic_orientation=heteroromantic |spouse=None |children=None |parents=Unknown |siblings=None |close_friends=[[Orma Anbhahela]], [[Henri Aethre Bahra]], [[Yu-Wen Zhongshiu]] }} '''Erhard Manfred Kackbüddl''' was a rich businessman from Sweden [[U2|(U2)]] and the CEO and founder of ''Kackbüddl Inc.'' He worked together with [[Henri Aethre Bahra]] on the build of the [[Kackbüddl Tower]]. == Early Life == He was born assigned as female under the name of Emily Maria Kackbüddl. He transitioned while in high-school. After graduating he went to college to get an engineering degree and founded his own company ''Kackbüddl Inc.'' at just 22 years old, which specialized at building houses and specially automated systems as well as IoT applications. Funding was provided mostly hereditarily. == Career == After getting to know [[Henri Aethre Bahra]] (Giancarlo Henrial in current [[Immortality#By Rebirth|Incarnation]]) he started developing plans to rebuild the [[w:Tower of Babel|Tower of Babel]] together with Henri. He pushed a lot of funding into advertisements and made a small annual loss providing best care of his workers. He relocated the company to Chad 10 years after founding it, because it had ideal conditions for energy and material production to build an automated tower project. The board of directors stayed the same from 7752 until the death of humanity in 7777. * CEO: Erhard M. Kackbüddl * COO: [[Jaimi Markwardt]] * CFO: [[Steven Nilsen]] * CAO: [[Kratar Kanukisch]] * CTO & CIO: [[Yu-Wen Zhongshiu]] He didn't share the plans for the tower with the public, only to the board of directors, Henri and his secretary [[Orma Anbhahela]]. Together with Henri he published scientific findings and evidence of the existence of Gods, compiled into [[On The Existence of Gods|E.M.Kackbüddl, G.Henrial: On The Existence of Gods (7761)]]. 7767 he started to hire approximately 10000 workers to build the tower. The foundation was located in Abéché, Chad and the workers were for now merely doing well-payed chiselling, because the actual plan for them was to be sacrificed. == 10 Year Tower Building Period == A lot of advertising and Money went into getting a total of 10000 mere builders into the company, found to be irrelevant and replacable members of society by Kackbüddl. There was no external critique of his actions because they were kept secret. The facade of a well-paying company that planned to build a tower in a developing country was good enough for the general media. As stated in his scientific work and as found out by Henri in the past 4000 years, gods cannot harm souls, or make humans with a soul die on purpose. Additional testing revealed that souls are able to be fused inside of Carbon and Silicon based materials. == Initiation == The tower, as built in the Sahara, is made out of sand (silicon) based material and power to everything was supplied by the sun. On the 6th of July the Project begins. Over night he and his secretary Orma install an as registration system camouflaged soul extraction machine, which all workers entered. They used the souls to infuse all the building materials and the souls of the higher ups of the corporation for the automated machines building the tower, infused into electrical circuits as well as carbon-based steel. Kackbüddl's soul goes into one of the main Cranes on operation, Henri puts his own in an android body he'd been working on so he doesn't need to suffer through rebirth again. As the tower began on building, a lot of families missed their family members working at Kackbüddl Inc. Nothing was heard from the company in a longer time. 2 weeks after the project initiation discovered the empty branch building in Chad, along with a large graveyard built along with the tower, with all workers names. Unsure how to process this information wild debate occured over what exactly happened in the company, until the government of Chad searched through the building and found the actual project plans. Debate continued over whether Kackbüddl was insane or if his sacrifice was legitimate, he got a lot of support from the scientific community that has read his paper, though very aggressive views from the bereaved. The government of Chad though strictly opposed the idea of cancelling the build, both for monetary reasons as well as defending the build with "We can't bring back those lifes, might as well let the project unveil". It was made into a military protected zone and a cold war broke out between the US and the EU allied with the Sahara States of Africa. 2 months after Initiation, [[Gott_(U2)|Gott]] wiped out all animal life on the planet, but was unable to destroy the tower foundation due to the soul infused material. The project was still halted by the power of god, for 100 years. == Events after the Halt == As a fallback system, if anything went wrong, souls were able to become conscious inside the machinery. This applied to the souls of the higher-ups. As a Crane, Kackbüddl also regains consciousness. He doesn't have any recollection of memories, just a strong desire to build the tower. Shortly after meeting a Crate with Materials for the [[Kackbüddl Tower#Portal|Portal to the God-World]], which turns out to be infused with the soul of Orma. They communicate via radio-waves. Unable to hinder te progress of the tower build, Gott became angry and found some soulless material, which he promptly turned evil. The Crane fights these evil crates when the tower reached 10 km in height. At 20 km in height Kackbüddl meets a corrupted Crane with the soul of [[Yu-Wen Zhongshiu]], former CTO of the company and has to destroy it in order to progress. The corrupted Crane fell all the way down the building, destroying the soul carrying circuit board along with it and destroying the corrupted soul. This released a shockwave initiating conversation between Henri and Gott. Clarifying the Events so far Henri decided to join Gott, as his only goal was getting into contact with him, not really building the second Tower. As he opposes Kackbüddl, he doesn't fight him and instead challenges him to a game, which he loses. He tries to destroy his body, but fails due to the remnants of Gotts power in him<ref>See [[Henri Aethre Bahra]] for more details on those events</ref>. On impact, his android body turned immovable. Almost finishing the tower, Gott sends his daughter [[Jesa]] to take care of the project, as his power declined with age. Jesa utilizes powers of creation to try and destroy the Crane mechanically, since direct god-power doesn't do any harm. This is successful. The control board of the Crane releases the Soul in a controlled manner. All of Kackbüddls memories go through Jesas head, along with the emotions and passion he had going through the project. Although having a hard time sympathising with a serial murderer, she decides not to let the peoples deaths be worthless. She convinces god to restore the human race and actually go into contact with the human world. Gott then, by his own hands and physical body, builds the last piece of the Tower from the Crate which possessed Ormas soul and finishes the build, though Ormas soul died in the battle with Jesa.<ref>See [[Soul_(U2)]] for more information about what it means for a soul to "die", "be destroyed" or "escape"</ref> == Legacy == The Kackbüddl Tower now serves as the main contact point between the [[God System_(U2)#God World|God World]] and the Human World. It still has the name "Kackbüddl Tower" on it in huge letters as well as a memorial of all board directors and Orma in front of the Tower in a garden. == Trivia == * Kackbüddl is an immature joke name, meaning as much as "shit-pants" in german [[Category:U2]] [[Category:Character]] {{#seo:|image=Kackbueddl_Portrait.png}} c5248fd4888b4889e9c5b4a869f816dbad785fde The Creator 0 241 439 2023-09-26T08:27:12Z Nora2605 2 Redirected page to [[Nora2605]] wikitext text/x-wiki #REDIRECT [[Nora2605]] 59d87bb4df0f00ac5db939cb4c686d50bce9b66c Category:Magic Systems 14 242 441 2023-09-26T08:40:16Z Nora2605 2 Created page with "A '''magic system''', also called '''spellcasting system''' or a '''science of supernatural forces''' is a sometimes ill-defined (weak) system for the manipulation of unexplicable or otherwise supernatural forces or abilities." wikitext text/x-wiki A '''magic system''', also called '''spellcasting system''' or a '''science of supernatural forces''' is a sometimes ill-defined (weak) system for the manipulation of unexplicable or otherwise supernatural forces or abilities. 3e977cb92fd2cd3c199029f5e04ac5cf29360057 Magic System 0 243 442 2023-09-26T08:40:42Z Nora2605 2 Redirected page to [[Category:Magic Systems]] wikitext text/x-wiki #REDIRECT [[:Category:Magic Systems]] fb7312fcfc339b4cc6cf34d9c9b60540c0f25cf4 Category:Soul Systems 14 244 443 2023-09-26T08:56:04Z Nora2605 2 Created blank page wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Soul (U2) 0 217 444 408 2023-09-26T08:59:11Z Nora2605 2 wikitext text/x-wiki Souls in [[U2]] are in every living being except Gods. Gods cannot harm Souls, except for the God of Worlds. He can only eradicate specific geni of souls though. Souls carry energy not describable. Up until the unification of the human with the god world, living beings always had one and only one soul. This changed when Gods started having children together with humans. These children carry 2 souls, and are god only if the mother is a god, and vice versa. Since souls display some kind of power, some families around the world did arranged marriages with the goal of getting children with most souls. One of these is an aristocratic family in Bosnia and Herzegowina. [[Ethemin]], the result of this, has 6 souls. A soul can only be destroyed by the Death God or his Shinigamis. A soul "dies" when it leaves the body.<ref>More in [[God_System_(U2)|the God System Entry]]</ref> A soul can infuse materials if it's channeled after the host dies. [[Category:U2]] [[Category:Soul_Systems]] ba25333664d51f3d27f32af0fbfd019bc89dbd0d Nora2605 0 200 445 438 2023-10-15T14:26:05Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name=Nora Judith Felicitas |gender=female |age=1307 |birth_date=XXXX/05/26 |birth_place=[Redacted] |nationality=German |other_names=* Queen of the Northern seas * The creator |known_for=[[Chronii Project]] |home_town=[Redacted] |height=1.75 m |weight=51 kg |hair=dark blonde |eyes=blue |sexual_orientation=bisexual |romantic_orientation=panromantic |parents=[Redacted] |biological_parents=[Redacted] |siblings=[Redacted] |grandparents=[Redacted] |close_friends=[Redacted] |others=Creations: [[:Category:Character]] }} '''The Creator''' also known as '''Nora''', '''Nora2605''', '''The Queen of Northern seas''', '''NJFA''', '''NonoCreeper30''' and her full name '''Nora Judith Felicitas [Redacted]''' is the Documentator and only First person Teller of the Chronii Project, in which she is herself a character residing in primarily [[V0]] but also making appearances in [[Chronii Project|U1 through 12]]. == Entity == The Entity presents itself as a lesser Goddess of Creation, an ascended Seraph or a V0 human, depending on the state of her mind, which resides in its own pocket dimension. The mind is the cause of emergence for some bubble universes that gave birth to a number of full universes, namely the 12 documented. == Abilities == Situationally omnipotent. == Past == Her pocket dimension emerged spontaneously as a boltzmann brain which became connected to her original physical form by an unknown entity consisting of neutrons and spin-right neutrinos, that was a byproduct of a symmetry breaking tunneling reaction inside short term superconducting kinetically excited crystalline bismuth. 87b80fc544cfa58be775fb7ae1b6817b0cb50f31 452 445 2023-10-30T20:03:12Z Nora2605 2 /* Past */ wikitext text/x-wiki {{Infobox person |name=Nora Judith Felicitas |gender=female |age=1307 |birth_date=XXXX/05/26 |birth_place=[Redacted] |nationality=German |other_names=* Queen of the Northern seas * The creator |known_for=[[Chronii Project]] |home_town=[Redacted] |height=1.75 m |weight=51 kg |hair=dark blonde |eyes=blue |sexual_orientation=bisexual |romantic_orientation=panromantic |parents=[Redacted] |biological_parents=[Redacted] |siblings=[Redacted] |grandparents=[Redacted] |close_friends=[Redacted] |others=Creations: [[:Category:Character]] }} '''The Creator''' also known as '''Nora''', '''Nora2605''', '''The Queen of Northern seas''', '''NJFA''', '''NonoCreeper30''' and her full name '''Nora Judith Felicitas [Redacted]''' is the Documentator and only First person Teller of the Chronii Project, in which she is herself a character residing in primarily [[V0]] but also making appearances in [[Chronii Project|U1 through 12]]. == Entity == The Entity presents itself as a lesser Goddess of Creation, an ascended Seraph or a V0 human, depending on the state of her mind, which resides in its own pocket dimension. The mind is the cause of emergence for some bubble universes that gave birth to a number of full universes, namely the 12 documented. == Abilities == Situationally omnipotent. == Past == Her pocket dimension emerged spontaneously as a boltzmann brain which became connected to her original physical form by an unknown entity consisting of neutrons and spin-right neutrinos, that was a byproduct of a symmetry breaking tunneling reaction inside short term superconducting kinetically excited crystalline bismuth. <ref>[[Media:The_Creator.pdf|Short Story]]</ref> 650d0457dd619e73fb7bd69a33ae38af17d1d5b6 453 452 2023-10-31T14:53:51Z Nora2605 2 /* Entity */ wikitext text/x-wiki {{Infobox person |name=Nora Judith Felicitas |gender=female |age=1307 |birth_date=XXXX/05/26 |birth_place=[Redacted] |nationality=German |other_names=* Queen of the Northern seas * The creator |known_for=[[Chronii Project]] |home_town=[Redacted] |height=1.75 m |weight=51 kg |hair=dark blonde |eyes=blue |sexual_orientation=bisexual |romantic_orientation=panromantic |parents=[Redacted] |biological_parents=[Redacted] |siblings=[Redacted] |grandparents=[Redacted] |close_friends=[Redacted] |others=Creations: [[:Category:Character]] }} '''The Creator''' also known as '''Nora''', '''Nora2605''', '''The Queen of Northern seas''', '''NJFA''', '''NonoCreeper30''' and her full name '''Nora Judith Felicitas [Redacted]''' is the Documentator and only First person Teller of the Chronii Project, in which she is herself a character residing in primarily [[V0]] but also making appearances in [[Chronii Project|U1 through 12]]. == Entity == The Entity presents itself as a [[Goddess (Creation)|lesser Goddess of Creation]], an [[Seraph|ascended Seraph]] or a [[V0]] human, depending on the state of her mind, which resides in its own pocket dimension. The mind is the cause of emergence for some bubble universes that gave birth to a number of full universes, namely the 12 documented. == Abilities == Situationally omnipotent. == Past == Her pocket dimension emerged spontaneously as a boltzmann brain which became connected to her original physical form by an unknown entity consisting of neutrons and spin-right neutrinos, that was a byproduct of a symmetry breaking tunneling reaction inside short term superconducting kinetically excited crystalline bismuth. <ref>[[Media:The_Creator.pdf|Short Story]]</ref> f4742f827e1b8892f625909d6657e9ae2a66114a File:LümirG1.png 6 245 446 2023-10-29T20:43:44Z Nora2605 2 wikitext text/x-wiki gallery image 1 e81d7b88fcd942f37d925591595baf45fcde67df File:LümirG2.jpg 6 246 447 2023-10-29T20:46:58Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:LümirG3.png 6 247 448 2023-10-29T20:48:08Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:LümirG4.png 6 248 449 2023-10-29T20:48:30Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Lümir Novya Nijimi 0 154 450 382 2023-10-29T20:49:24Z Nora2605 2 wikitext text/x-wiki {{Infobox person |name={{PAGENAME}} |image=Lumir_Full.png |gender=Female |age=17 [[Calendar_(U1)|(423)]], 19 [[Year_(Unit)|(365)]] |birth_name=Lümir Novya Nijimi |birth_place=[[Voles]] |birth_date=17655-07-09 [[Calendar_(U1)|vH2]] |nationality=[[Vola-Hamerden|Vola Hamerda]] |other_names=* Lümi (nickname) * Ace of all seeing eye (reputation) |occupation=[[Global_Peace_Organization_(U1)|GPO]] Soldier/<spoiler>Officer</spoiler> |years_active=- |hometown=[[Reinmyer]] |height=1.914 [[Meter_(Unit)|m]] |weight=93 [[Kilogram_(Unit)|kg]] |hair=Dark Brown |eyes=* Left: Rainbow-colored * Right: Blue |bust_size=[[w:Bra_size#Europe_/_International|90C]] |sexual_orientation=Bisexual |romantic_orientation=Biromantic |parents=* [[Eskarlor Önsör]] * [[Temhami Önsör]] |biological_parents=* [[Siben Dreisig]] * [[Artimir Nijimi]] |siblings=[[Oruka Nijimi]] |close_friends=* [[Tek Dotnet]] * [[Rashi Klavae]] }} '''Lümir Novya Nijimi''' is the protagonist of the [[U1|AoasE]] series. She is a [[Navira#Heli|Heli-Navira]] born on [[Voles]] before the [[Navira War]]. She currently lives in Reinmyer with her [[Gay_Marriage|2 dads]], [[Eskarlor Önsör]] and [[Temhami Önsör]], and little sister [[Oruka Nijimi|Oruka Shiroi Arkas Nijimi]]. == Early Life == She was born as the daughter of [[Artimir Nijimi]] and [[Siben Dreisig]] during the time of peace inbetween the discovery of the Voles civilization and the Navira War. Being in one of the first waves of children between [[Navira]] and [[Havira]] she was raised bilingually in [[Getrish]] and [[Old High Gerfin]]. Until she was about 4 she lived inside the old city [[Khroma]] with her mother. Her father was unable to stay as long in Voles due to the Environment<ref>See [[Voles#Environment]]</ref> During the war, her dad was shot in front of her eyes and her mom disappeared. She was eventually found unconscious with her baby sister by rescue workers of the [[Global_Peace_Organization|GPO Precursor]] and was placed in an adoption center. Eskarlor and Temhami Önsör adopted her and her little sister 1 year later, when Lümir was 5 years old. She was in the same Adoption center as [[Rashi Klavae]]. == Growing up == She grew up in Vola-Hamerden, in a mid-sized one-family home in the peripheral region of [[Reinmyer]], where she also went to school. == Appearance == [[File:Lümir Plain.png|300px|thumb|left|Sketch of Lümir]] Lümir has dark brown, wavy, thick, very long hair that reaches her thighs. Her eyes are heterochromatic, her left one being rainbow colored<sup>(See [[#Left eye|Left eye]])</sup> and right eye being dark blue. === Body measurements === She is 1.91 m tall. Her wings are 5 meters across fully stretched. She has an overall muscular build, a bust size of 90C (88.2/105cm), her arms are 1.89 m across, Femur-Ankle is 1.12 m. === Hairstyles === Because her preferred open style often gets in the way, she also often wears braids. She very often has a small braid on her left front-strand of hair. === Outfit === [[File:Lümir_outfit.jpg|200px|thumb|left|Rough sketch of Lümirs signature outfit, Lumaha]] Her signature outfit consist of: * A zodiac blue top, with 2 white stripes on the shoulders, which is open on the sides and has 2 asymmetric arms, the left one being full and the right one being only to the elbow. * A dark blue tie with a white upside-down trident-like symbol on its bottom * a black miniskirt * 2 straps that hold down on the top * 2 socks, changing, usually thigh high * a black sports bra * black shorts * in cold months a scarf Usual outfits also contain * General white, blue, black or purple T-shirts and hoodies paired with a skirt of another of those colors * a black dress * a black hoodie/blue jeans combination == Abilities and Attributes == === Physical strength === {| class="wikitable" ! Discipline !! 1RM |- | Squat (Top-Weight) || 4050 N |- | Deadlift || 5000 N |- | Benchpress || 2600 N |- | Barbell Curl || 1000 N |- | Wing carry || 3000 N |} She is able to accelerate upwards flight with up to <math>500 \frac{m}{s^2}</math>, laterally her top speed is around 90 m/s in straight flight, 360 m/s diving, breaking the sound barrier. Magic-assisted her top speeds using air combustion are up to 2 km/s (Done inside a protective suit). === Physical abilities === ==== Left eye ==== [[File:Lümir_LE.png|thumb|300px|right|Diagram of the Functionality of the Eye]] Her Left eye has the ability to see a much wider range of the electromagnetic spectrum, reaching from about <math>10^0 m</math> to <math>10^{-14} m</math> in wavelength. Its pupil is hexagonal when the Rotary Iris is relaxed. The current visible spectrum is controllable by contracting or loosening the Iris. In the most contracted form, the only wavelengths passing through are in the visible green spectrum, while in the most loose state all wavelengths are able to pass through. The rainbow coloring of the iris is a side effect of the translucent pigments of the visible spectrum. The muscles around the eye behave the same way as they do in regular humans. There are bioluminescent rings inside the eye, that can glow up cosmetically. Sight happens on 2 seperate Epithels, one for the intensity and sharpness of the image and one for accurate wavelength deduction. The Epithel I has cells similar to human ''Neuroni bacillifera'', The Epithel II has much more sensitive versions of them. Inside the Lens in front of the Iris, colored light is duplicated and scattered according to wavelength. Sharp sight therefore depends on light intensity, making the [[#Right eye|Right eye]] responsible for rapid high contrast vision. The scattered light is mapped onto the radial axis of the second epithel. Using an equirectangular projection, the brain maps the very blurry color information onto light intensive spots in first Epithel. Though not as positionally accurate the spectrum information is very accurate in Wavelength dimension and its able to be differentiated with a difference of about <math>4\%</math> in wavelength. (That's the difference from orange (#ff9d00) to orange-red (#ff7700)) ==== Right eye ==== The right eye has a lens tunnel surrounded by muscle fiber, that can contract and loosen in a stable manner to enlarge details. It has a fairly large blindspot around the ''Nervus oculi''. Enlargement is about 40x maximum (this requires a lot of light from the point of attention). Vision on the eye is extremely sharp. The color reception works the same as for regular humans. ==== Transistorial Cortex ==== <sub>(Main Article: [[Transistorial Cortex]])</sub> For easier control of mutation features, Navira have developed a third cortex along their evolution. These are unconscious and will, in case of a high emergency fight or flight response, choose flight and lift pain and muscle limits to escape. During this time, memories are being recorded but the main cortex is unconscious. This is also the place where preprocessing for the eye data happens, The ''Nervus Oculi'' being much shorter than in humans. Due to the computational nature of this part of the brain, it is able to execute certain [[Magic_System_(U1)#3D_Aujeratio|3D AUjeratio]] Maneuvers, which would otherwise need a high visual understanding of 4D Space. === Magical Abilities === Lümir possesses basic [[Magic_System_(U1)|Aujeratio]] Skills in the element of Heat and Light, occasionaly Ice and Electricity. In case of [[#Transistorial Cortex|3rd Cortex Activation]] she also manages to do more complicated maneuvers. == Gallery == <gallery> File:LümirG1.png File:LümirG2.jpg File:LümirG3.png File:LümirG4.png </gallery> == Trivia == * Lümir Novya Nijimi was the first OC of the Chronii Project * Her original name was Kurika * [[Category:U1]] [[Category:Navira]] [[Category:Character]] {{#seo:|image=LümirG1.png}} 85142131233049cab6610439c6c83363d75e1628 File:The Creator.pdf 6 249 451 2023-10-30T20:01:06Z Nora2605 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Goddess (Creation) 0 250 454 2023-10-31T14:59:26Z Nora2605 2 Created page with "A '''Goddess of Creation''', '''Goddess''' or also just '''Creator''' is a Term for an entity whose mind has caused significant influence on or created an external universe. [[T227-GNB]] Ascendors are not considered Goddesses. The distinct female suffix of the term is due to the german grammatixal gender of the word 'Entity'. == Known Members == - [[The Creator]]" wikitext text/x-wiki A '''Goddess of Creation''', '''Goddess''' or also just '''Creator''' is a Term for an entity whose mind has caused significant influence on or created an external universe. [[T227-GNB]] Ascendors are not considered Goddesses. The distinct female suffix of the term is due to the german grammatixal gender of the word 'Entity'. == Known Members == - [[The Creator]] d3599db14d2bd958aafca6bf893722cefe96bed9 Seraph 0 251 455 2023-10-31T15:06:21Z Nora2605 2 Created page with "A '''Seraph''' is any type of entity that has been seperated from its home universe, the subtype '''Shaded Seraph''' or also '''Ascended Seraph''' are Seraphs where the physical body is seperate from their mind; the location of the entity in that case is considered to be the one of the physical body. They often evolve multiple pairs of wing-like structures in their physical representations, due to unknown reasons, ehich is the reason for the term. Only Boltzmann-Structur..." wikitext text/x-wiki A '''Seraph''' is any type of entity that has been seperated from its home universe, the subtype '''Shaded Seraph''' or also '''Ascended Seraph''' are Seraphs where the physical body is seperate from their mind; the location of the entity in that case is considered to be the one of the physical body. They often evolve multiple pairs of wing-like structures in their physical representations, due to unknown reasons, ehich is the reason for the term. Only Boltzmann-Structures (spontaneous emergences) are considered such entities, or any that have been affected by such structures. Ascenders do not typically exhibit Seraph-like attributes. 3d35c6ec069e907dea70be6aa4c0643f044a337c The Funny 0 252 456 2023-11-01T21:54:36Z Nora2605 2 Created page with "'''The Funny''' is the codename of a robot built by the [[w:Federal Intelligence Service|BND]] as a General Artificial Intelligence in cooperation with [[The Creator]]. It has the same appearance as her and was built using a neuron 3d printer as well as several biotissue farms. Only a few parts are metallic or robotic, the innovation lies inside the brain which has a completely different structure. It is unaware of this and goes through her life as a regular, although un..." wikitext text/x-wiki '''The Funny''' is the codename of a robot built by the [[w:Federal Intelligence Service|BND]] as a General Artificial Intelligence in cooperation with [[The Creator]]. It has the same appearance as her and was built using a neuron 3d printer as well as several biotissue farms. Only a few parts are metallic or robotic, the innovation lies inside the brain which has a completely different structure. It is unaware of this and goes through her life as a regular, although unbeknownst to her immortal, trans woman, with diagnosed autism. There are no plans to use it for any purposes yet and only very few members of the BND are aware of its existence. cd869687dce3f0c33353ef261dead46fbeeaa7b9 Skizionshi Niftont 0 253 457 2023-11-03T11:15:00Z Nora2605 2 Created page with "The '''Skizionshi Niftont''' is a comically large book, which contains axiomatic derivations for a lot of theorems from the [[w:Langlands_Program|Langlands Program]]. It famously concludes to a proof of the [[w:Riemann Hypothesis|Generalized Riemann Hypothesis]] with over 40000 pages of pure maths. It was written in collaboration of several hundred mathematicians. A variant of the book is in a public repository as a project to contain a capsule of information for extrate..." wikitext text/x-wiki The '''Skizionshi Niftont''' is a comically large book, which contains axiomatic derivations for a lot of theorems from the [[w:Langlands_Program|Langlands Program]]. It famously concludes to a proof of the [[w:Riemann Hypothesis|Generalized Riemann Hypothesis]] with over 40000 pages of pure maths. It was written in collaboration of several hundred mathematicians. A variant of the book is in a public repository as a project to contain a capsule of information for extraterrestrials to be able to fully comprehend the massed wisdom of the species. Art and Music are exempt from this. == The physical book == The physical book is located in the [[State Archive of Vola-Hamerden]]. It's signed by all authors and some other influential scientific figures. Its containing room is also dedicated to all scientific achievements in documented history. d6333ec830f77cbdf113b896f5163b072db47095 458 457 2023-11-03T11:16:13Z Nora2605 2 wikitext text/x-wiki The '''Skizionshi Niftont''' is a comically large book, which contains axiomatic derivations for a lot of theorems from the [[w:Langlands_program|Langlands Program]]. It famously concludes to a proof of the [[w:Generalized Riemann hypothesis|Generalized Riemann Hypothesis]] with over 40000 pages of pure maths. It was written in collaboration of several hundred mathematicians. A variant of the book is in a public repository as a project to contain a capsule of information for extraterrestrials to be able to fully comprehend the massed wisdom of the species. Art and Music are exempt from this. == The physical book == The physical book is located in the [[State Archive of Vola-Hamerden]]. It's signed by all authors and some other influential scientific figures. Its containing room is also dedicated to all scientific achievements in documented history. 29d5df8ef0ed9a68c5e4e86f2780c47d3d2630c7 The Council (U1) 0 254 459 2023-11-17T11:01:12Z Nora2605 2 Redirected page to [[The Council]] wikitext text/x-wiki #REDIRECT [[The Council]] 6d517bedeaed19c607e760f07015bc7915a6550f